NetworkX Tutorial
Release 1.7
Aric Hagberg, Dan Schult, Pieter Swart
July 04, 2012
Contents
1 2 3 4 5 6 Creating a graph Nodes Edges What to use as nodes and edges Accessing edges Adding attributes to graphs, nodes, and edges 6.1 Graph attributes . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 6.2 Node attributes . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 6.3 Edge Attributes . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . Directed graphs Multigraphs Graph generators and graph operations i ii ii iii iv iv iv v v v vi vi vii vii
7 8 9
10 Analyzing graphs 11 Drawing graphs
Start here to begin working with NetworkX.
1 Creating a graph
Create an empty graph with no nodes and no edges.
>>> import networkx as nx >>> G=nx.Graph()
By denition, a Graph is a collection of nodes (vertices) along with identied pairs of nodes (called edges, links, etc). In NetworkX, nodes can be any hashable object e.g. a text string, an image, an XML object, another Graph, a customized node object, etc. (Note: Pythons None object should not be used as a node as it determines whether optional function arguments have been assigned in many functions.)
2 Nodes
The graph G can be grown in several ways. NetworkX includes many graph generator functions and facilities to read and write graphs in many formats. To get started though well look at simple manipulations. You can add one node at a time,
>>> G.add_node(1)
add a list of nodes,
>>> G.add_nodes_from([2,3])
or add any nbunch of nodes. An nbunch is any iterable container of nodes that is not itself a node in the graph. (e.g. a list, set, graph, le, etc..)
>>> H=nx.path_graph(10) >>> G.add_nodes_from(H)
Note that G now contains the nodes of H as nodes of G. In contrast, you could use the graph H as a node in G.
>>> G.add_node(H)
The graph G now contains H as a node. This exibility is very powerful as it allows graphs of graphs, graphs of les, 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 identier in G and have a separate dictionary keyed by identier to the node information if you prefer. (Note: You should not change the node object if the hash depends on its contents.)
3 Edges
G can also be grown by adding one edge at a time,
>>> G.add_edge(1,2) >>> e=(2,3) >>> G.add_edge(*e) # unpack edge tuple*
by adding a list of edges,
>>> G.add_edges_from([(1,2),(1,3)])
or by adding any ebunch of edges. An ebunch is any iterable container of edge-tuples. An edge-tuple can be a 2tuple 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 below
>>> G.add_edges_from(H.edges())
One can demolish the graph in a similar fashion; Graph.remove_nodes_from(), Graph.remove_edge() and e.g.
using Graph.remove_node(), Graph.remove_edges_from(),
>>> G.remove_node(H)
There are no complaints when adding existing nodes or edges. For example, after removing all nodes and edges,
>>> G.clear()
we add new nodes/edges and NetworkX quietly ignores any that are already present.
>>> >>> >>> >>> >>> 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
At this stage the graph G consists of 8 nodes and 2 edges, as can be seen by:
>>> G.number_of_nodes() 8 >>> G.number_of_edges() 2
We can examine them with
>>> G.nodes() [a, 1, 2, 3, spam, m, p, s] >>> G.edges() [(1, 2), (1, 3)] >>> G.neighbors(1) [2, 3]
Removing nodes or edges has similar syntax to adding:
>>> >>> [1, >>> G.remove_nodes_from("spam") G.nodes() 2, 3, spam] G.remove_edge(1,3)
When creating a graph structure (by instantiating one of the graph classes you can specify data in several formats.
>>> H=nx.DiGraph(G) # create a DiGraph using the connections from G >>> H.edges() [(1, 2), (2, 1)] >>> edgelist=[(0,1),(1,2),(2,3)] >>> H=nx.Graph(edgelist)
4 What to use as nodes and edges
You might notice that nodes and edges are not specied 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 unexpected surprises unless one is familiar with Python. If in doubt, consider using convert_node_labels_to_integers() to obtain a more traditional graph with integer labels.
5 Accessing edges
In addition to the methods Graph.nodes(), Graph.edges(), and Graph.neighbors(), iterator versions (e.g. Graph.edges_iter()) can save you from creating large lists when you are just going to iterate through them anyway. Fast direct access to the graph data structure is also possible using subscript notation. Warning: Do not change the returned dictit is part of the graph data structure and direct manipulation may leave the graph in an inconsistent state.
>>> G[1] # Warning: do not change the resulting dict {2: {}} >>> G[1][2] {}
You can safely set the attributes of an edge using subscript notation if the edge already exists.
>>> G.add_edge(1,3) >>> G[1][3][color]=blue
Fast examination of all edges is achieved using adjacency iterators. Note that for undirected graphs this actually looks at each edge twice.
>>> >>> >>> ... ... ... (1, (2, (3, (4, 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.adjacency_iter(): for nbr,eattr in nbrs.items(): data=eattr[weight] if data<0.5: print((%d, %d, %.3f) % (n,nbr,data)) 2, 0.125) 1, 0.125) 4, 0.375) 3, 0.375)
6 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.node and G.edge for a graph G.
6.1 Graph attributes
Assign graph attributes when creating a new graph
>>> G = nx.Graph(day="Friday") >>> G.graph {day: Friday}
Or you can modify attributes later
>>> G.graph[day]=Monday >>> G.graph {day: Monday}
6.2 Node attributes
Add node attributes using add_node(), add_nodes_from() or G.node
>>> G.add_node(1, time=5pm) >>> G.add_nodes_from([3], time=2pm) >>> G.node[1] {time: 5pm} >>> G.node[1][room] = 714 >>> G.nodes(data=True) [(1, {room: 714, time: 5pm}), (3, {time: 2pm})]
Note that adding a node to G.node does not add it to the graph, use G.add_node() to add new nodes.
6.3 Edge Attributes
Add edge attributes using add_edge(), add_edges_from(), subscript notation, or G.edge.
>>> >>> >>> >>> >>> 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.edge[1][2][weight] = 4
The special attribute weight should be numeric and holds values used by algorithms requiring weighted edges.
7 Directed graphs
The DiGraph class provides additional methods specic to directed edges, e.g. DiGraph.out_edges(), DiGraph.in_degree(), DiGraph.predecessors(), DiGraph.successors() etc. To allow algorithms to work with both classes easily, the directed versions of neighbors() and degree() are equivalent to successors() and the sum of in_degree() and out_degree() respectively even though that may feel inconsistent at times.
>>> 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 >>> DG.successors(1) [2] >>> DG.neighbors(1) [2]
Some algorithms work only for directed graphs and others are not well dened 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 Graph.to_undirected() or with
>>> H= nx.Graph(G) # convert H to undirected graph
8 Multigraphs
NetworkX provides classes for graphs which allow multiple edges between any pair of nodes. The MultiGraph and 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 dened on such graphs. Shortest path is one example. Where results are well dened, e.g. MultiGraph.degree() we provide the function. Otherwise you should convert to a standard graph in a way that makes the measurement well dened.
>>> >>> >>> {1: >>> >>> ... ... ... ... >>> [1, MG=nx.MultiGraph() MG.add_weighted_edges_from([(1,2,.5), (1,2,.75), (2,3,.5)]) MG.degree(weight=weight) 1.25, 2: 1.75, 3: 0.5} GG=nx.Graph() for n,nbrs in MG.adjacency_iter(): 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) 2, 3]
9 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:
subgraph(G, nbunch) union(G1,G2) disjoint_union(G1,G2) cartesian_product(G1,G2) compose(G1,G2) complement(G) create_empty_copy(G) convert_to_undirected(G) convert_to_directed(G) induce subgraph of G on nodes in nbunch graph union graph union assuming all nodes are different return Cartesian product graph combine graphs identifying nodes common to both graph complement return an empty copy of the same graph class return an undirected representation of G return a directed representation of G
2. Using a call to one of the classic small graphs, e.g.
>>> >>> >>> >>> petersen=nx.petersen_graph() tutte=nx.tutte_graph() maze=nx.sedgewick_maze_graph() tet=nx.tetrahedral_graph()
3. Using a (constructive) generator for a classic graph, e.g.
>>> >>> >>> >>> 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.
>>> >>> >>> >>> 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 le using common graph formats, such as edge lists, adjacency lists, GML, GraphML, pickle, LEDA and others.
>>> nx.write_gml(red,"path.to.file") >>> mygraph=nx.read_gml("path.to.file")
Details on graph formats: /reference/readwrite Details on graph generator functions: /reference/generators
10 Analyzing graphs
The structure of G can be analyzed using various graph-theoretic functions such as:
>>> G=nx.Graph() >>> G.add_edges_from([(1,2),(1,3)]) >>> G.add_node("spam") # adds node "spam" >>> nx.connected_components(G) [[1, 2, 3], [spam]] >>> sorted(nx.degree(G).values()) [0, 1, 1, 2] >>> nx.clustering(G) {1: 0.0, 2: 0.0, 3: 0.0, spam: 0.0}
Functions that return node properties return dictionaries keyed by node label.
>>> nx.degree(G) {1: 2, 2: 1, 3: 1, spam: 0}
For values of specic nodes, you can provide a single node or an nbunch of nodes as argument. If a single node is specied, then a single value is returned. If an nbunch is specied, then the function will return a dictionary.
>>> 2 >>> 2 >>> {1: >>> [1, >>> [0, nx.degree(G,1) G.degree(1) G.degree([1,2]) 2, 2: 1} sorted(G.degree([1,2]).values()) 2] sorted(G.degree().values()) 1, 1, 2]
Details on graph algorithms supported: /reference/algorithms
11 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 networkx.drawing package and will be imported if possible. See /reference/drawing for details. Note that the drawing package in NetworkX is not yet compatible with Python versions 3.0 and above.
First import Matplotlibs plot interface (pylab works too)
>>> import matplotlib.pyplot as plt
You may nd it useful to interactively test code using ipython -pylab, which combines the power of ipython and matplotlib and provides a convenient interactive mode. To test if the import of networkx.drawing was successful draw G using one of
>>> >>> >>> >>> nx.draw(G) nx.draw_random(G) nx.draw_circular(G) nx.draw_spectral(G)
when drawing to an interactive display. Note that you may need to issue a Matplotlib
>>> plt.show()
command if you are not using matplotlib in interactive mode: (See Matplotlib FAQ ) To save drawings to a le, use, for example
>>> nx.draw(G) >>> plt.savefig("path.png")
writes to the le path.png in the local directory. If Graphviz and PyGraphviz, or pydot, are available on your system, you can also use
>>> nx.draw_graphviz(G) >>> nx.write_dot(G,file.dot)
Details on drawing graphs: /reference/drawing