summaryrefslogtreecommitdiff
path: root/doc/tutorial.rst
blob: 43f54b69fd05d30633a5791aa7979e05e941c5af (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
Tutorial
========

.. currentmodule:: networkx

This guide can help you start working with NetworkX.

Creating a graph
----------------

Create an empty graph with no nodes and no edges.

.. nbplot::

    >>> import networkx as nx
    >>> G = nx.Graph()

By definition, a :class:`Graph` is a collection of nodes (vertices) along with
identified pairs of nodes (called edges, links, etc).  In NetworkX, nodes can
be any :py:term:`hashable` object e.g., a text string, an image, an XML object,
another Graph, a customized node object, etc.

.. note:: Python's ``None`` object is not allowed to be used as a node. It
    determines whether optional function arguments have been assigned in many
    functions.

Nodes
-----

The graph ``G`` can be grown in several ways.  NetworkX includes many
:doc:`graph generator functions <reference/generators>` and
:doc:`facilities to read and write graphs in many formats <reference/readwrite/index>`.
To get started though we'll look at simple manipulations.  You can add one node
at a time,

.. nbplot::

    >>> G.add_node(1)

or add nodes from any :py:term:`iterable` container, such as a list

.. nbplot::

    >>> G.add_nodes_from([2, 3])

You can also add nodes along with node
attributes if your container yields 2-tuples of the form 
``(node, node_attribute_dict)``::

    >>> G.add_nodes_from([
    ...     (4, {"color": "red"}),
    ...     (5, {"color": "green"}),
    ... ])

Node attributes are discussed further :ref:`below <attributes>`.

Nodes from one graph can be incorporated into another:

.. nbplot::

    >>> H = nx.path_graph(10)
    >>> G.add_nodes_from(H)

``G`` now contains the nodes of ``H`` as nodes of ``G``.
In contrast, you could use the graph ``H`` as a node in ``G``.

.. nbplot::

    >>> G.add_node(H)

The graph ``G`` now contains ``H`` as a node.  This flexibility is very powerful as
it allows graphs of graphs, graphs of files, graphs of functions and much more.
It is worth thinking about how to structure your application so that the nodes
are useful entities.  Of course you can always use a unique identifier in ``G``
and have a separate dictionary keyed by identifier to the node information if
you prefer.

.. note:: You should not change the node object if the hash depends
   on its contents.

Edges
-----

``G`` can also be grown by adding one edge at a time,

.. nbplot::

    >>> G.add_edge(1, 2)
    >>> e = (2, 3)
    >>> G.add_edge(*e)  # unpack edge tuple*

by adding a list of edges,

.. nbplot::

    >>> G.add_edges_from([(1, 2), (1, 3)])

or by adding any :term:`ebunch` of edges.  An *ebunch* is any iterable
container of edge-tuples.  An edge-tuple can be a 2-tuple of nodes or a 3-tuple
with 2 nodes followed by an edge attribute dictionary, e.g.,
``(2, 3, {'weight': 3.1415})``.  Edge attributes are discussed further
:ref:`below <attributes>`.

.. nbplot::

    >>> G.add_edges_from(H.edges)

There are no complaints when adding existing nodes or edges. For example,
after removing all nodes and edges,

.. nbplot::

    >>> G.clear()

we add new nodes/edges and NetworkX quietly ignores any that are
already present.

.. nbplot::

    >>> G.add_edges_from([(1, 2), (1, 3)])
    >>> G.add_node(1)
    >>> G.add_edge(1, 2)
    >>> G.add_node("spam")        # adds node "spam"
    >>> G.add_nodes_from("spam")  # adds 4 nodes: 's', 'p', 'a', 'm'
    >>> G.add_edge(3, 'm')

At this stage the graph ``G`` consists of 8 nodes and 3 edges, as can be seen by:

.. nbplot::

    >>> G.number_of_nodes()
    8
    >>> G.number_of_edges()
    3

.. note:: 
   
   The order of adjacency reporting (e.g., :meth:`G.adj <networkx.Graph.adj>`,
   :meth:`G.successors <networkx.DiGraph.successors>`,
   :meth:`G.predecessors <networkx.DiGraph.predecessors>`) is the order of
   edge addition. However, the order of G.edges is the order of the adjacencies
   which includes both the order of the nodes and each 
   node's adjacencies. See example below:

.. nbplot::

    >>> DG = nx.DiGraph()
    >>> DG.add_edge(2, 1)   # adds the nodes in order 2, 1
    >>> DG.add_edge(1, 3)
    >>> DG.add_edge(2, 4)
    >>> DG.add_edge(1, 2)
    >>> assert list(DG.successors(2)) == [1, 4]
    >>> assert list(DG.edges) == [(2, 1), (2, 4), (1, 3), (1, 2)]

Examining elements of a graph
-----------------------------

We can examine the nodes and edges. Four basic graph properties facilitate
reporting: ``G.nodes``, ``G.edges``, ``G.adj`` and ``G.degree``.  These
are set-like views of the nodes, edges, neighbors (adjacencies), and degrees
of nodes in a graph. They offer a continually updated read-only view into
the graph structure. They are also dict-like in that you can look up node
and edge data attributes via the views and iterate with data attributes
using methods ``.items()``, ``.data()``.
If you want a specific container type instead of a view, you can specify one.
Here we use lists, though sets, dicts, tuples and other containers may be
better in other contexts.

.. nbplot::

    >>> list(G.nodes)
    [1, 2, 3, 'spam', 's', 'p', 'a', 'm']
    >>> list(G.edges)
    [(1, 2), (1, 3), (3, 'm')]
    >>> list(G.adj[1])  # or list(G.neighbors(1))
    [2, 3]
    >>> G.degree[1]  # the number of edges incident to 1
    2

One can specify to report the edges and degree from a subset of all nodes
using an :term:`nbunch`. An *nbunch* is any of: ``None`` (meaning all nodes),
a node, or an iterable container of nodes that is not itself a node in the
graph.

.. nbplot::

    >>> G.edges([2, 'm'])
    EdgeDataView([(2, 1), ('m', 3)])
    >>> G.degree([2, 3])
    DegreeView({2: 1, 3: 2})

Removing elements from a graph
------------------------------

One can remove nodes and edges from the graph in a similar fashion to adding.
Use methods
:meth:`Graph.remove_node`,
:meth:`Graph.remove_nodes_from`,
:meth:`Graph.remove_edge`
and
:meth:`Graph.remove_edges_from`, e.g.

.. nbplot::

    >>> G.remove_node(2)
    >>> G.remove_nodes_from("spam")
    >>> list(G.nodes)
    [1, 3, 'spam']
    >>> G.remove_edge(1, 3)

Using the graph constructors
----------------------------

Graph objects do not have to be built up incrementally - data specifying
graph structure can be passed directly to the constructors of the various
graph classes.
When creating a graph structure by instantiating one of the graph
classes you can specify data in several formats.

.. nbplot::

    >>> G.add_edge(1, 2)
    >>> H = nx.DiGraph(G)  # create a DiGraph using the connections from G
    >>> list(H.edges())
    [(1, 2), (2, 1)]
    >>> edgelist = [(0, 1), (1, 2), (2, 3)]
    >>> H = nx.Graph(edgelist)  # create a graph from an edge list
    >>> list(H.edges())
    [(0, 1), (1, 2), (2, 3)]
    >>> adjacency_dict = {0: (1, 2), 1: (0, 2), 2: (0, 1)}
    >>> H = nx.Graph(adjacency_dict)  # create a Graph dict mapping nodes to nbrs
    >>> list(H.edges())
    [(0, 1), (0, 2), (1, 2)]

What to use as nodes and edges
------------------------------

You might notice that nodes and edges are not specified as NetworkX
objects.  This leaves you free to use meaningful items as nodes and
edges. The most common choices are numbers or strings, but a node can
be any hashable object (except ``None``), and an edge can be associated
with any object ``x`` using ``G.add_edge(n1, n2, object=x)``.

As an example, ``n1`` and ``n2`` could be protein objects from the RCSB Protein
Data Bank, and ``x`` could refer to an XML record of publications detailing
experimental observations of their interaction.

We have found this power quite useful, but its abuse
can lead to surprising behavior unless one is familiar with Python.
If in doubt, consider using :func:`~relabel.convert_node_labels_to_integers` to obtain
a more traditional graph with integer labels.

Accessing edges and neighbors
-----------------------------

In addition to the views :attr:`Graph.edges`, and :attr:`Graph.adj`,
access to edges and neighbors is possible using subscript notation.

.. nbplot::

    >>> G = nx.Graph([(1, 2, {"color": "yellow"})])
    >>> G[1]  # same as G.adj[1]
    AtlasView({2: {'color': 'yellow'}})
    >>> G[1][2]
    {'color': 'yellow'}
    >>> G.edges[1, 2]
    {'color': 'yellow'}

You can get/set the attributes of an edge using subscript notation
if the edge already exists.

.. nbplot::

    >>> G.add_edge(1, 3)
    >>> G[1][3]['color'] = "blue"
    >>> G.edges[1, 2]['color'] = "red"
    >>> G.edges[1, 2]
    {'color': 'red'}

Fast examination of all (node, adjacency) pairs is achieved using
``G.adjacency()``, or ``G.adj.items()``.
Note that for undirected graphs, adjacency iteration sees each edge twice.

.. nbplot::

    >>> FG = nx.Graph()
    >>> FG.add_weighted_edges_from([(1, 2, 0.125), (1, 3, 0.75), (2, 4, 1.2), (3, 4, 0.375)])
    >>> for n, nbrs in FG.adj.items():
    ...    for nbr, eattr in nbrs.items():
    ...        wt = eattr['weight']
    ...        if wt < 0.5: print(f"({n}, {nbr}, {wt:.3})")
    (1, 2, 0.125)
    (2, 1, 0.125)
    (3, 4, 0.375)
    (4, 3, 0.375)

Convenient access to all edges is achieved with the edges property.

.. nbplot::

    >>> for (u, v, wt) in FG.edges.data('weight'):
    ...     if wt < 0.5:
    ...         print(f"({u}, {v}, {wt:.3})")
    (1, 2, 0.125)
    (3, 4, 0.375)

.. _attributes:

Adding attributes to graphs, nodes, and edges
---------------------------------------------

Attributes such as weights, labels, colors, or whatever Python object you like,
can be attached to graphs, nodes, or edges.

Each graph, node, and edge can hold key/value attribute pairs in an associated
attribute dictionary (the keys must be hashable).  By default these are empty,
but attributes can be added or changed using ``add_edge``, ``add_node`` or direct
manipulation of the attribute dictionaries named ``G.graph``, ``G.nodes``, and
``G.edges`` for a graph ``G``.

Graph attributes
~~~~~~~~~~~~~~~~

Assign graph attributes when creating a new graph

.. nbplot::

    >>> G = nx.Graph(day="Friday")
    >>> G.graph
    {'day': 'Friday'}

Or you can modify attributes later

.. nbplot::

    >>> G.graph['day'] = "Monday"
    >>> G.graph
    {'day': 'Monday'}

Node attributes
~~~~~~~~~~~~~~~

Add node attributes using ``add_node()``, ``add_nodes_from()``, or ``G.nodes``

.. nbplot::

    >>> G.add_node(1, time='5pm')
    >>> G.add_nodes_from([3], time='2pm')
    >>> G.nodes[1]
    {'time': '5pm'}
    >>> G.nodes[1]['room'] = 714
    >>> G.nodes.data()
    NodeDataView({1: {'time': '5pm', 'room': 714}, 3: {'time': '2pm'}})

Note that adding a node to ``G.nodes`` does not add it to the graph, use
``G.add_node()`` to add new nodes. Similarly for edges.

Edge Attributes
~~~~~~~~~~~~~~~

Add/change edge attributes using ``add_edge()``, ``add_edges_from()``,
or subscript notation.

.. nbplot::

    >>> G.add_edge(1, 2, weight=4.7 )
    >>> G.add_edges_from([(3, 4), (4, 5)], color='red')
    >>> G.add_edges_from([(1, 2, {'color': 'blue'}), (2, 3, {'weight': 8})])
    >>> G[1][2]['weight'] = 4.7
    >>> G.edges[3, 4]['weight'] = 4.2

The special attribute ``weight`` should be numeric as it is used by
algorithms requiring weighted edges.

Directed graphs
---------------

The :class:`DiGraph` class provides additional methods and properties specific
to directed edges, e.g.,
:attr:`DiGraph.out_edges`, :attr:`DiGraph.in_degree`,
`DiGraph.predecessors`, `DiGraph.successors` etc.
To allow algorithms to work with both classes easily, the directed versions of
:meth:`neighbors <DiGraph.neighbors>` is equivalent to
`successors <DiGraph.successors>` while `~DiGraph.degree` reports the sum
of `~DiGraph.in_degree` and `~DiGraph.out_degree` even though that may feel inconsistent at times.

.. nbplot::

    >>> DG = nx.DiGraph()
    >>> DG.add_weighted_edges_from([(1, 2, 0.5), (3, 1, 0.75)])
    >>> DG.out_degree(1, weight='weight')
    0.5
    >>> DG.degree(1, weight='weight')
    1.25
    >>> list(DG.successors(1))
    [2]
    >>> list(DG.neighbors(1))
    [2]

Some algorithms work only for directed graphs and others are not well
defined for directed graphs.  Indeed the tendency to lump directed
and undirected graphs together is dangerous.  If you want to treat
a directed graph as undirected for some measurement you should probably
convert it using :meth:`Graph.to_undirected` or with

.. nbplot::

    >>> H = nx.Graph(G)  # create an undirected graph H from a directed graph G

Multigraphs
-----------

NetworkX provides classes for graphs which allow multiple edges
between any pair of nodes.  The :class:`MultiGraph` and
:class:`MultiDiGraph`
classes allow you to add the same edge twice, possibly with different
edge data.  This can be powerful for some applications, but many
algorithms are not well defined on such graphs.
Where results are well defined,
e.g., :meth:`MultiGraph.degree` we provide the function.  Otherwise you
should convert to a standard graph in a way that makes the measurement
well defined.

.. nbplot::

    >>> MG = nx.MultiGraph()
    >>> MG.add_weighted_edges_from([(1, 2, 0.5), (1, 2, 0.75), (2, 3, 0.5)])
    >>> dict(MG.degree(weight='weight'))
    {1: 1.25, 2: 1.75, 3: 0.5}
    >>> GG = nx.Graph()
    >>> for n, nbrs in MG.adjacency():
    ...    for nbr, edict in nbrs.items():
    ...        minvalue = min([d['weight'] for d in edict.values()])
    ...        GG.add_edge(n, nbr, weight = minvalue)
    ...
    >>> nx.shortest_path(GG, 1, 3)
    [1, 2, 3]

Graph generators and graph operations
-------------------------------------

In addition to constructing graphs node-by-node or edge-by-edge, they
can also be generated by

1. Applying classic graph operations, such as:
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

.. autosummary::

    ~networkx.classes.function.subgraph
    ~networkx.algorithms.operators.binary.union
    ~networkx.algorithms.operators.binary.disjoint_union
    ~networkx.algorithms.operators.product.cartesian_product
    ~networkx.algorithms.operators.binary.compose
    ~networkx.algorithms.operators.unary.complement
    ~networkx.classes.function.create_empty_copy
    ~networkx.classes.function.to_undirected
    ~networkx.classes.function.to_directed

2. Using a call to one of the classic small graphs, e.g.,
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

.. autosummary::

    ~networkx.generators.small.petersen_graph
    ~networkx.generators.small.tutte_graph
    ~networkx.generators.small.sedgewick_maze_graph
    ~networkx.generators.small.tetrahedral_graph

3. Using a (constructive) generator for a classic graph, e.g.,
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

.. autosummary::

    ~networkx.generators.classic.complete_graph
    ~networkx.algorithms.bipartite.generators.complete_bipartite_graph
    ~networkx.generators.classic.barbell_graph
    ~networkx.generators.classic.lollipop_graph

like so:

.. nbplot::

    >>> K_5 = nx.complete_graph(5)
    >>> K_3_5 = nx.complete_bipartite_graph(3, 5)
    >>> barbell = nx.barbell_graph(10, 10)
    >>> lollipop = nx.lollipop_graph(10, 20)

4. Using a stochastic graph generator, e.g,
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

.. autosummary::

    ~networkx.generators.random_graphs.erdos_renyi_graph
    ~networkx.generators.random_graphs.watts_strogatz_graph
    ~networkx.generators.random_graphs.barabasi_albert_graph
    ~networkx.generators.random_graphs.random_lobster

like so:

.. nbplot::

    >>> er = nx.erdos_renyi_graph(100, 0.15)
    >>> ws = nx.watts_strogatz_graph(30, 3, 0.1)
    >>> ba = nx.barabasi_albert_graph(100, 5)
    >>> red = nx.random_lobster(100, 0.9, 0.9)

5. Reading a graph stored in a file using common graph formats
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

NetworkX supports many popular formats, such as edge lists, adjacency lists,
GML, GraphML, LEDA and others.

.. nbplot::

    >>> nx.write_gml(red, "path.to.file")
    >>> mygraph = nx.read_gml("path.to.file")

For details on graph formats see :doc:`/reference/readwrite/index`
and for graph generator functions see :doc:`/reference/generators`

Analyzing graphs
----------------

The structure of ``G`` can be analyzed using various graph-theoretic
functions such as:

.. nbplot::

    >>> G = nx.Graph()
    >>> G.add_edges_from([(1, 2), (1, 3)])
    >>> G.add_node("spam")       # adds node "spam"
    >>> list(nx.connected_components(G))
    [{1, 2, 3}, {'spam'}]
    >>> sorted(d for n, d in G.degree())
    [0, 1, 1, 2]
    >>> nx.clustering(G)
    {1: 0, 2: 0, 3: 0, 'spam': 0}

Some functions with large output iterate over (node, value) 2-tuples.
These are easily stored in a `dict` structure if you desire.

.. nbplot::

    >>> sp = dict(nx.all_pairs_shortest_path(G))
    >>> sp[3]
    {3: [3], 1: [3, 1], 2: [3, 1, 2]}

See :doc:`/reference/algorithms/index` for details on graph algorithms
supported.

Drawing graphs
--------------

NetworkX is not primarily a graph drawing package but basic drawing with
Matplotlib as well as an interface to use the open source Graphviz software
package are included.  These are part of the :doc:`networkx.drawing <reference/drawing>`
module and will be imported if possible.

First import Matplotlib's plot interface (pylab works too)

.. nbplot::

    >>> import matplotlib.pyplot as plt

To test if the import of `~networkx.drawing.nx_pylab` was successful draw ``G``
using one of

.. nbplot::

    >>> G = nx.petersen_graph()
    >>> subax1 = plt.subplot(121)
    >>> nx.draw(G, with_labels=True, font_weight='bold')
    >>> subax2 = plt.subplot(122)
    >>> nx.draw_shell(G, nlist=[range(5, 10), range(5)], with_labels=True, font_weight='bold')

when drawing to an interactive display.  Note that you may need to issue a
Matplotlib

>>> plt.show()  # doctest: +SKIP

command if you are not using matplotlib in interactive mode.

.. nbplot::

    >>> options = {
    ...     'node_color': 'black',
    ...     'node_size': 100,
    ...     'width': 3,
    ... }
    >>> subax1 = plt.subplot(221)
    >>> nx.draw_random(G, **options)
    >>> subax2 = plt.subplot(222)
    >>> nx.draw_circular(G, **options)
    >>> subax3 = plt.subplot(223)
    >>> nx.draw_spectral(G, **options)
    >>> subax4 = plt.subplot(224)
    >>> nx.draw_shell(G, nlist=[range(5,10), range(5)], **options)

You can find additional options via :func:`~drawing.nx_pylab.draw_networkx` and
layouts via the :mod:`layout module<networkx.drawing.layout>`.
You can use multiple shells with :func:`~drawing.nx_pylab.draw_shell`.

.. nbplot::

    >>> G = nx.dodecahedral_graph()
    >>> shells = [[2, 3, 4, 5, 6], [8, 1, 0, 19, 18, 17, 16, 15, 14, 7], [9, 10, 11, 12, 13]]
    >>> nx.draw_shell(G, nlist=shells, **options)

To save drawings to a file, use, for example

>>> nx.draw(G)
>>> plt.savefig("path.png")

This function writes to the file ``path.png`` in the local directory. If Graphviz and
PyGraphviz or pydot, are available on your system, you can also use
`networkx.drawing.nx_agraph.graphviz_layout` or
`networkx.drawing.nx_pydot.graphviz_layout` to get the node positions, or write
the graph in dot format for further processing.

>>> from networkx.drawing.nx_pydot import write_dot
>>> pos = nx.nx_agraph.graphviz_layout(G)
>>> nx.draw(G, pos=pos)
>>> write_dot(G, 'file.dot')

See :doc:`/reference/drawing` for additional details.

.. code-links::

NX-Guides
---------
If you are interested in learning more about NetworkX, graph theory and network analysis 
then you should check out :doc:`nx-guides <nx-guides:index>`. There you can find tutorials,
real-world applications and in-depth examinations of graphs and network algorithms. 
All the material is official and was developed and curated by the NetworkX community.