forked from Qiskit/rustworkx
-
Notifications
You must be signed in to change notification settings - Fork 0
/
graph.rs
2185 lines (2070 loc) · 84.6 KB
/
graph.rs
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
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
// 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
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// 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.
#![allow(clippy::borrow_as_ptr, clippy::redundant_closure)]
use std::cmp;
use std::collections::BTreeMap;
use std::fs::File;
use std::io::prelude::*;
use std::io::{BufReader, BufWriter};
use std::str;
use hashbrown::{HashMap, HashSet};
use indexmap::IndexSet;
use rustworkx_core::dictmap::*;
use pyo3::exceptions::PyIndexError;
use pyo3::gc::PyVisit;
use pyo3::prelude::*;
use pyo3::types::{PyBool, PyDict, PyList, PyString, PyTuple};
use pyo3::PyTraverseError;
use pyo3::Python;
use ndarray::prelude::*;
use num_traits::Zero;
use numpy::Complex64;
use numpy::PyReadonlyArray2;
use crate::iterators::NodeMap;
use super::dot_utils::build_dot;
use super::iterators::{EdgeIndexMap, EdgeIndices, EdgeList, NodeIndices, WeightedEdgeList};
use super::{
find_node_by_weight, merge_duplicates, weight_callable, IsNan, NoEdgeBetweenNodes,
NodesRemoved, StablePyGraph,
};
use petgraph::algo;
use petgraph::graph::{EdgeIndex, NodeIndex};
use petgraph::prelude::*;
use petgraph::visit::{
EdgeIndexable, GraphBase, IntoEdgeReferences, IntoNodeReferences, NodeCount, NodeFiltered,
NodeIndexable,
};
/// A class for creating undirected graphs
///
/// The PyGraph class is used to create an undirected graph. It can be a
/// multigraph (have multiple edges between nodes). Each node and edge
/// (although rarely used for edges) is indexed by an integer id. These ids
/// are stable for the lifetime of the graph object and on node or edge
/// deletions you can have holes in the list of indices for the graph.
/// Node indices will be reused on additions after removal. For example:
///
/// .. jupyter-execute::
///
/// import rustworkx as rx
///
/// graph = rx.PyGraph()
/// graph.add_nodes_from(list(range(5)))
/// graph.add_nodes_from(list(range(2)))
/// graph.remove_node(2)
/// print("After deletion:", graph.node_indices())
/// res_manual = graph.add_node(None)
/// print("After adding a new node:", graph.node_indices())
///
/// Additionally, each node and edge contains an arbitrary Python object as a
/// weight/data payload. You can use the index for access to the data payload
/// as in the following example:
///
/// .. jupyter-execute::
///
/// import rustworkx as rx
///
/// graph = rx.PyGraph()
/// data_payload = "An arbitrary Python object"
/// node_index = graph.add_node(data_payload)
/// print("Node Index: %s" % node_index)
/// print(graph[node_index])
///
/// The PyGraph implements the Python mapping protocol for nodes so in
/// addition to access you can also update the data payload with:
///
/// .. jupyter-execute::
///
/// import rustworkx as rx
///
/// graph = rx.PyGraph()
/// data_payload = "An arbitrary Python object"
/// node_index = graph.add_node(data_payload)
/// graph[node_index] = "New Payload"
/// print("Node Index: %s" % node_index)
/// print(graph[node_index])
///
/// By default a ``PyGraph`` is a multigraph (meaning there can be parallel
/// edges between nodes) however this can be disabled by setting the
/// ``multigraph`` kwarg to ``False`` when calling the ``PyGraph``
/// constructor. For example::
///
/// import rustworkx as rx
/// graph = rx.PyGraph(multigraph=False)
///
/// This can only be set at ``PyGraph`` initialization and not adjusted after
/// creation. When :attr:`~rustworkx.PyGraph.multigraph` is set to ``False``
/// if a method call is made that would add a parallel edge it will instead
/// update the existing edge's weight/data payload.
///
/// Each ``PyGraph`` object has an :attr:`~.PyGraph.attrs` attribute which is
/// used to contain additional attributes/metadata of the graph instance. By
/// default this is set to ``None`` but can optionally be specified by using the
/// ``attrs`` keyword argument when constructing a new graph::
///
/// graph = rustworkx.PyGraph(attrs=dict(source_path='/tmp/graph.csv'))
///
/// This attribute can be set to any Python object. Additionally, you can access
/// and modify this attribute after creating an object. For example::
///
/// source_path = graph.attrs
/// graph.attrs = {'new_path': '/tmp/new.csv', 'old_path': source_path}
///
/// The maximum number of nodes and edges allowed on a ``PyGraph`` object is
/// :math:`2^{32} - 1` (4,294,967,294) each. Attempting to add more nodes or
/// edges than this will result in an exception being raised.
///
/// :param bool multigraph: When this is set to ``False`` the created PyGraph
/// object will not be a multigraph. When ``False`` if a method call is
/// made that would add parallel edges the the weight/weight from that
/// method call will be used to update the existing edge in place.
/// :param attrs: An optional attributes payload to assign to the
/// :attr:`~.PyGraph.attrs` attribute. This can be any Python object. If
/// it is not specified :attr:`~.PyGraph.attrs` will be set to ``None``.
#[pyclass(mapping, module = "rustworkx", subclass)]
#[derive(Clone)]
pub struct PyGraph {
pub graph: StablePyGraph<Undirected>,
pub node_removed: bool,
pub multigraph: bool,
#[pyo3(get, set)]
pub attrs: PyObject,
}
impl GraphBase for PyGraph {
type NodeId = NodeIndex;
type EdgeId = EdgeIndex;
}
impl<'a> NodesRemoved for &'a PyGraph {
fn nodes_removed(&self) -> bool {
self.node_removed
}
}
impl NodeCount for PyGraph {
fn node_count(&self) -> usize {
self.graph.node_count()
}
}
impl PyGraph {
fn _add_edge(&mut self, u: NodeIndex, v: NodeIndex, edge: PyObject) -> usize {
if !self.multigraph {
let exists = self.graph.find_edge(u, v);
if let Some(index) = exists {
let edge_weight = self.graph.edge_weight_mut(index).unwrap();
*edge_weight = edge;
return index.index();
}
}
let edge = self.graph.add_edge(u, v, edge);
edge.index()
}
}
#[pymethods]
impl PyGraph {
#[new]
#[pyo3(signature=(multigraph=true, attrs=None), text_signature = "(/, multigraph=True, attrs=None)")]
fn new(py: Python, multigraph: bool, attrs: Option<PyObject>) -> Self {
PyGraph {
graph: StablePyGraph::<Undirected>::default(),
node_removed: false,
multigraph,
attrs: attrs.unwrap_or_else(|| py.None()),
}
}
fn __getstate__(&self, py: Python) -> PyResult<PyObject> {
let mut nodes: Vec<PyObject> = Vec::with_capacity(self.graph.node_count());
let mut edges: Vec<PyObject> = Vec::with_capacity(self.graph.edge_bound());
// save nodes to a list along with its index
for node_idx in self.graph.node_indices() {
let node_data = self.graph.node_weight(node_idx).unwrap();
nodes.push((node_idx.index(), node_data).to_object(py));
}
// edges are saved with none (deleted edges) instead of their index to save space
for i in 0..self.graph.edge_bound() {
let idx = EdgeIndex::new(i);
let edge = match self.graph.edge_weight(idx) {
Some(edge_w) => {
let endpoints = self.graph.edge_endpoints(idx).unwrap();
(endpoints.0.index(), endpoints.1.index(), edge_w).to_object(py)
}
None => py.None(),
};
edges.push(edge);
}
let out_dict = PyDict::new(py);
let nodes_lst: PyObject = PyList::new(py, nodes).into();
let edges_lst: PyObject = PyList::new(py, edges).into();
out_dict.set_item("nodes", nodes_lst)?;
out_dict.set_item("edges", edges_lst)?;
out_dict.set_item("nodes_removed", self.node_removed)?;
out_dict.set_item("multigraph", self.multigraph)?;
out_dict.set_item("attrs", self.attrs.clone_ref(py))?;
Ok(out_dict.into())
}
fn __setstate__(&mut self, py: Python, state: PyObject) -> PyResult<()> {
let dict_state = state.downcast::<PyDict>(py)?;
let nodes_lst = dict_state
.get_item("nodes")?
.unwrap()
.downcast::<PyList>()?;
let edges_lst = dict_state
.get_item("edges")?
.unwrap()
.downcast::<PyList>()?;
self.graph = StablePyGraph::<Undirected>::default();
self.multigraph = dict_state
.get_item("multigraph")?
.unwrap()
.downcast::<PyBool>()?
.extract()?;
self.node_removed = dict_state
.get_item("nodes_removed")?
.unwrap()
.downcast::<PyBool>()?
.extract()?;
self.attrs = match dict_state.get_item("attrs")? {
Some(attr) => attr.into(),
None => py.None(),
};
// graph is empty, stop early
if nodes_lst.is_empty() {
return Ok(());
}
if !self.node_removed {
for item in nodes_lst.iter() {
let node_w = item
.downcast::<PyTuple>()
.unwrap()
.get_item(1)
.unwrap()
.extract()
.unwrap();
self.graph.add_node(node_w);
}
} else if nodes_lst.len() == 1 {
// graph has only one node, handle logic here to save one if in the loop later
let item = nodes_lst
.get_item(0)
.unwrap()
.downcast::<PyTuple>()
.unwrap();
let node_idx: usize = item.get_item(0).unwrap().extract().unwrap();
let node_w = item.get_item(1).unwrap().extract().unwrap();
for _i in 0..node_idx {
self.graph.add_node(py.None());
}
self.graph.add_node(node_w);
for i in 0..node_idx {
self.graph.remove_node(NodeIndex::new(i));
}
} else {
let last_item = nodes_lst
.get_item(nodes_lst.len() - 1)
.unwrap()
.downcast::<PyTuple>()
.unwrap();
// list of temporary nodes that will be removed later to re-create holes
let node_bound_1: usize = last_item.get_item(0).unwrap().extract().unwrap();
let mut tmp_nodes: Vec<NodeIndex> =
Vec::with_capacity(node_bound_1 + 1 - nodes_lst.len());
for item in nodes_lst {
let item = item.downcast::<PyTuple>().unwrap();
let next_index: usize = item.get_item(0).unwrap().extract().unwrap();
let weight: PyObject = item.get_item(1).unwrap().extract().unwrap();
while next_index > self.graph.node_bound() {
// node does not exist
let tmp_node = self.graph.add_node(py.None());
tmp_nodes.push(tmp_node);
}
// add node to the graph, and update the next available node index
self.graph.add_node(weight);
}
// Remove any temporary nodes we added
for tmp_node in tmp_nodes {
self.graph.remove_node(tmp_node);
}
}
// to ensure O(1) on edge deletion, use a temporary node to store missing edges
let tmp_node = self.graph.add_node(py.None());
for item in edges_lst {
if item.is_none() {
// add a temporary edge that will be deleted later to re-create the hole
self.graph.add_edge(tmp_node, tmp_node, py.None());
} else {
let triple = item.downcast::<PyTuple>().unwrap();
let edge_p: usize = triple.get_item(0).unwrap().extract().unwrap();
let edge_c: usize = triple.get_item(1).unwrap().extract().unwrap();
let edge_w = triple.get_item(2).unwrap().extract().unwrap();
self.graph
.add_edge(NodeIndex::new(edge_p), NodeIndex::new(edge_c), edge_w);
}
}
// remove the temporary node will remove all deleted edges in bulk,
// the cost is equal to the number of edges
self.graph.remove_node(tmp_node);
Ok(())
}
/// Whether the graph is a multigraph (allows multiple edges between
/// nodes) or not
///
/// If set to ``False`` multiple edges between nodes are not allowed and
/// calls that would add a parallel edge will instead update the existing
/// edge
#[getter]
fn multigraph(&self) -> bool {
self.multigraph
}
/// Detect if the graph has parallel edges or not
///
/// :returns: ``True`` if the graph has parallel edges, otherwise ``False``
/// :rtype: bool
#[pyo3(text_signature = "(self)")]
fn has_parallel_edges(&self) -> bool {
if !self.multigraph {
return false;
}
let mut edges: HashSet<[NodeIndex; 2]> =
HashSet::with_capacity(2 * self.graph.edge_count());
for edge in self.graph.edge_references() {
let endpoints = [edge.source(), edge.target()];
let endpoints_rev = [edge.target(), edge.source()];
if edges.contains(&endpoints) || edges.contains(&endpoints_rev) {
return true;
}
edges.insert(endpoints);
edges.insert(endpoints_rev);
}
false
}
/// Clears all nodes and edges
#[pyo3(text_signature = "(self)")]
pub fn clear(&mut self) {
self.graph.clear();
self.node_removed = true;
}
/// Clears all edges, leaves nodes intact
#[pyo3(text_signature = "(self)")]
pub fn clear_edges(&mut self) {
self.graph.clear_edges();
}
/// Return the number of nodes in the graph
#[pyo3(text_signature = "(self)")]
pub fn num_nodes(&self) -> usize {
self.graph.node_count()
}
/// Return the number of edges in the graph
#[pyo3(text_signature = "(self)")]
pub fn num_edges(&self) -> usize {
self.graph.edge_count()
}
/// Return a list of all edge data.
///
/// :returns: A list of all the edge data objects in the graph
/// :rtype: list
#[pyo3(text_signature = "(self)")]
pub fn edges(&self) -> Vec<&PyObject> {
self.graph
.edge_indices()
.map(|edge| self.graph.edge_weight(edge).unwrap())
.collect()
}
/// Return a list of all edge indices.
///
/// :returns: A list of all the edge indices in the graph
/// :rtype: EdgeIndices
#[pyo3(text_signature = "(self)")]
pub fn edge_indices(&self) -> EdgeIndices {
EdgeIndices {
edges: self.graph.edge_indices().map(|edge| edge.index()).collect(),
}
}
/// Return a list of indices of all edges between specified nodes
///
/// :returns: A list of all the edge indices connecting the specified start and end node
/// :rtype: EdgeIndices
pub fn edge_indices_from_endpoints(&self, node_a: usize, node_b: usize) -> EdgeIndices {
let node_a_index = NodeIndex::new(node_a);
let node_b_index = NodeIndex::new(node_b);
EdgeIndices {
edges: self
.graph
.edges_directed(node_a_index, petgraph::Direction::Outgoing)
.filter(|edge| edge.target() == node_b_index)
.map(|edge| edge.id().index())
.collect(),
}
}
/// Return a list of all node data.
///
/// :returns: A list of all the node data objects in the graph
/// :rtype: list
#[pyo3(text_signature = "(self)")]
pub fn nodes(&self) -> Vec<&PyObject> {
self.graph
.node_indices()
.map(|node| self.graph.node_weight(node).unwrap())
.collect()
}
/// Return a list of all node indices.
///
/// :returns: A list of all the node indices in the graph
/// :rtype: NodeIndices
#[pyo3(text_signature = "(self)")]
pub fn node_indices(&self) -> NodeIndices {
NodeIndices {
nodes: self.graph.node_indices().map(|node| node.index()).collect(),
}
}
/// Return a list of all node indices.
///
/// .. note::
///
/// This is identical to :meth:`.node_indices()`, which is the
/// preferred method to get the node indices in the graph. This
/// exists for backwards compatibility with earlier releases.
///
/// :returns: A list of all the node indices in the graph
/// :rtype: NodeIndices
#[pyo3(text_signature = "(self)")]
pub fn node_indexes(&self) -> NodeIndices {
self.node_indices()
}
/// Return True if there is an edge between ``node_a`` and ``node_b``.
///
/// :param int node_a: The index for the first node
/// :param int node_b: The index for the second node
///
/// :returns: True if there is an edge false if there is no edge
/// :rtype: bool
#[pyo3(text_signature = "(self, node_a, node_b, /)")]
pub fn has_edge(&self, node_a: usize, node_b: usize) -> bool {
let index_a = NodeIndex::new(node_a);
let index_b = NodeIndex::new(node_b);
self.graph.find_edge(index_a, index_b).is_some()
}
/// Return the edge data for the edge between 2 nodes.
///
/// Note if there are multiple edges between the nodes only one will be
/// returned. To get all edge data objects use
/// :meth:`~rustworkx.PyGraph.get_all_edge_data`
///
/// :param int node_a: The index for the first node
/// :param int node_b: The index for the second node
///
/// :returns: The data object set for the edge
/// :raises NoEdgeBetweenNodes: when there is no edge between the provided
/// nodes
#[pyo3(text_signature = "(self, node_a, node_b, /)")]
pub fn get_edge_data(&self, node_a: usize, node_b: usize) -> PyResult<&PyObject> {
let index_a = NodeIndex::new(node_a);
let index_b = NodeIndex::new(node_b);
let edge_index = match self.graph.find_edge(index_a, index_b) {
Some(edge_index) => edge_index,
None => return Err(NoEdgeBetweenNodes::new_err("No edge found between nodes")),
};
let data = self.graph.edge_weight(edge_index).unwrap();
Ok(data)
}
/// Return the list of edge indices incident to a provided node
///
/// You can later retrieve the data payload of this edge with
/// :meth:`~rustworkx.PyGraph.get_edge_data_by_index` or its
/// endpoints with :meth:`~rustworkx.PyGraph.get_edge_endpoints_by_index`.
///
/// :param int node: The node index to get incident edges from. If
/// this node index is not present in the graph this method will
/// return an empty list and not error.
///
/// :returns: A list of the edge indices incident to a node in the graph
/// :rtype: EdgeIndices
#[pyo3(text_signature = "(self, node, /)")]
pub fn incident_edges(&self, node: usize) -> EdgeIndices {
EdgeIndices {
edges: self
.graph
.edges(NodeIndex::new(node))
.map(|e| e.id().index())
.collect(),
}
}
/// Return the index map of edges incident to a provided node
///
/// :param int node: The node index to get incident edges from. If
/// this node index is not present in the graph this method will
/// return an empty mapping and not error.
///
/// :returns: A mapping of incident edge indices to the tuple
/// ``(source, target, data)``. The source endpoint node index in
/// this tuple will always be ``node`` to ensure you can easily
/// identify that the neighbor node is the second element in the
/// tuple for a given edge index.
/// :rtype: EdgeIndexMap
#[pyo3(text_signature = "(self, node, /)")]
pub fn incident_edge_index_map(&self, py: Python, node: usize) -> EdgeIndexMap {
let node_index = NodeIndex::new(node);
EdgeIndexMap {
edge_map: self
.graph
.edges_directed(node_index, petgraph::Direction::Outgoing)
.map(|edge| {
(
edge.id().index(),
(
edge.source().index(),
edge.target().index(),
edge.weight().clone_ref(py),
),
)
})
.collect(),
}
}
/// Get the endpoint indices and edge data for all edges of a node.
///
/// This will return a list of tuples with the parent index, the node index
/// and the edge data. This can be used to recreate add_edge() calls. As
/// :class:`~rustworkx.PyGraph` is undirected this will return all edges
/// with the second endpoint node index always being ``node``.
///
/// :param int node: The index of the node to get the edges for
///
/// :returns: A list of tuples of the form:
/// ``(parent_index, node_index, edge_data)```
/// :rtype: WeightedEdgeList
#[pyo3(text_signature = "(self, node, /)")]
pub fn in_edges(&self, py: Python, node: usize) -> WeightedEdgeList {
let index = NodeIndex::new(node);
let dir = petgraph::Direction::Incoming;
let raw_edges = self.graph.edges_directed(index, dir);
let out_list: Vec<(usize, usize, PyObject)> = raw_edges
.map(|x| (x.source().index(), node, x.weight().clone_ref(py)))
.collect();
WeightedEdgeList { edges: out_list }
}
/// Get the endpoint indices and edge data for all edges of a node.
///
/// This will return a list of tuples with the child index, the node index
/// and the edge data. This can be used to recreate add_edge() calls. As
/// :class:`~rustworkx.PyGraph` is undirected this will return all edges
/// with the first endpoint node index always being ``node``.
///
/// :param int node: The index of the node to get the edges for
///
/// :returns out_edges: A list of tuples of the form:
/// ```(node_index, child_index, edge_data)```
/// :rtype: WeightedEdgeList
#[pyo3(text_signature = "(self, node, /)")]
pub fn out_edges(&self, py: Python, node: usize) -> WeightedEdgeList {
let index = NodeIndex::new(node);
let dir = petgraph::Direction::Outgoing;
let raw_edges = self.graph.edges_directed(index, dir);
let out_list: Vec<(usize, usize, PyObject)> = raw_edges
.map(|x| (node, x.target().index(), x.weight().clone_ref(py)))
.collect();
WeightedEdgeList { edges: out_list }
}
/// Return the edge data for the edge by its given index
///
/// :param int edge_index: The edge index to get the data for
///
/// :returns: The data object for the edge
/// :raises IndexError: when there is no edge present with the provided
/// index
#[pyo3(text_signature = "(self, edge_index, /)")]
pub fn get_edge_data_by_index(&self, edge_index: usize) -> PyResult<&PyObject> {
let data = match self.graph.edge_weight(EdgeIndex::new(edge_index)) {
Some(data) => data,
None => {
return Err(PyIndexError::new_err(format!(
"Provided edge index {} is not present in the graph",
edge_index
)));
}
};
Ok(data)
}
/// Return the edge endpoints for the edge by its given index
///
/// :param int edge_index: The edge index to get the endpoints for
///
/// :returns: The endpoint tuple for the edge
/// :rtype: tuple
/// :raises IndexError: when there is no edge present with the provided
/// index
#[pyo3(text_signature = "(self, edge_index, /)")]
pub fn get_edge_endpoints_by_index(&self, edge_index: usize) -> PyResult<(usize, usize)> {
let endpoints = match self.graph.edge_endpoints(EdgeIndex::new(edge_index)) {
Some(endpoints) => (endpoints.0.index(), endpoints.1.index()),
None => {
return Err(PyIndexError::new_err(format!(
"Provided edge index {} is not present in the graph",
edge_index
)));
}
};
Ok(endpoints)
}
/// Update an edge's weight/payload in place
///
/// If there are parallel edges in the graph only one edge will be updated.
/// if you need to update a specific edge or need to ensure all parallel
/// edges get updated you should use
/// :meth:`~rustworkx.PyGraph.update_edge_by_index` instead.
///
/// :param int source: The index for the first node
/// :param int target: The index for the second node
///
/// :raises NoEdgeBetweenNodes: When there is no edge between nodes
#[pyo3(text_signature = "(self, source, target, edge, /)")]
pub fn update_edge(&mut self, source: usize, target: usize, edge: PyObject) -> PyResult<()> {
let index_a = NodeIndex::new(source);
let index_b = NodeIndex::new(target);
let edge_index = match self.graph.find_edge(index_a, index_b) {
Some(edge_index) => edge_index,
None => return Err(NoEdgeBetweenNodes::new_err("No edge found between nodes")),
};
let data = self.graph.edge_weight_mut(edge_index).unwrap();
*data = edge;
Ok(())
}
/// Update an edge's weight/data payload in place by the edge index
///
/// :param int edge_index: The index for the edge
/// :param object edge: The data payload/weight to update the edge with
///
/// :raises IndexError: when there is no edge present with the provided
/// index
#[pyo3(text_signature = "(self, edge_index, edge, /)")]
pub fn update_edge_by_index(&mut self, edge_index: usize, edge: PyObject) -> PyResult<()> {
match self.graph.edge_weight_mut(EdgeIndex::new(edge_index)) {
Some(data) => *data = edge,
None => return Err(PyIndexError::new_err("No edge found for index")),
};
Ok(())
}
/// Return the node data for a given node index
///
/// :param int node: The index for the node
///
/// :returns: The data object set for that node
/// :raises IndexError: when an invalid node index is provided
#[pyo3(text_signature = "(self, node, /)")]
pub fn get_node_data(&self, node: usize) -> PyResult<&PyObject> {
let index = NodeIndex::new(node);
let node = match self.graph.node_weight(index) {
Some(node) => node,
None => return Err(PyIndexError::new_err("No node found for index")),
};
Ok(node)
}
/// Return the edge data for all the edges between 2 nodes.
///
/// :param int node_a: The index for the first node
/// :param int node_b: The index for the second node
///
/// :returns: A list with all the data objects for the edges between nodes
/// :rtype: list
/// :raises NoEdgeBetweenNodes: When there is no edge between nodes
#[pyo3(text_signature = "(self, node_a, node_b, /)")]
pub fn get_all_edge_data(&self, node_a: usize, node_b: usize) -> PyResult<Vec<&PyObject>> {
let index_a = NodeIndex::new(node_a);
let index_b = NodeIndex::new(node_b);
let out: Vec<&PyObject> = self
.graph
.edges(index_a)
.filter(|edge| edge.target() == index_b)
.map(|edge| edge.weight())
.collect();
if out.is_empty() {
Err(NoEdgeBetweenNodes::new_err("No edge found between nodes"))
} else {
Ok(out)
}
}
/// Get edge list
///
/// Returns a list of tuples of the form ``(source, target)`` where
/// ``source`` and ``target`` are the node indices.
///
/// :returns: An edge list without weights
/// :rtype: EdgeList
#[pyo3(text_signature = "(self)")]
pub fn edge_list(&self) -> EdgeList {
EdgeList {
edges: self
.graph
.edge_references()
.map(|edge| (edge.source().index(), edge.target().index()))
.collect(),
}
}
/// Get edge list with weights
///
/// Returns a list of tuples of the form ``(source, target, weight)`` where
/// ``source`` and ``target`` are the node indices and ``weight`` is the
/// payload of the edge.
///
/// :returns: An edge list with weights
/// :rtype: WeightedEdgeList
#[pyo3(text_signature = "(self)")]
pub fn weighted_edge_list(&self, py: Python) -> WeightedEdgeList {
WeightedEdgeList {
edges: self
.graph
.edge_references()
.map(|edge| {
(
edge.source().index(),
edge.target().index(),
edge.weight().clone_ref(py),
)
})
.collect(),
}
}
/// Get an edge index map
///
/// Returns a read only mapping from edge indices to the weighted edge
/// tuple. The return is a mapping of the form:
/// ``{0: (0, 1, "weight"), 1: (2, 3, 2.3)}``
///
/// :returns: An edge index map
/// :rtype: EdgeIndexMap
#[pyo3(text_signature = "(self)")]
pub fn edge_index_map(&self, py: Python) -> EdgeIndexMap {
EdgeIndexMap {
edge_map: self
.graph
.edge_references()
.map(|edge| {
(
edge.id().index(),
(
edge.source().index(),
edge.target().index(),
edge.weight().clone_ref(py),
),
)
})
.collect(),
}
}
/// Remove a node from the graph.
///
/// :param int node: The index of the node to remove. If the index is not
/// present in the graph it will be ignored and this function will
/// have no effect.
#[pyo3(text_signature = "(self, node, /)")]
pub fn remove_node(&mut self, node: usize) -> PyResult<()> {
let index = NodeIndex::new(node);
self.graph.remove_node(index);
self.node_removed = true;
Ok(())
}
/// Add an edge between 2 nodes.
///
/// If :attr:`~rustworkx.PyGraph.multigraph` is ``False`` and an edge already
/// exists between ``node_a`` and ``node_b`` the weight/payload of that
/// existing edge will be updated to be ``edge``.
///
/// :param int node_a: Index of the parent node
/// :param int node_b: Index of the child node
/// :param edge: The object to set as the data for the edge. It can be any
/// python object.
///
/// :returns: The edge index for the newly created (or updated in the case
/// of an existing edge with ``multigraph=False``) edge.
/// :rtype: int
#[pyo3(text_signature = "(self, node_a, node_b, edge, /)")]
pub fn add_edge(&mut self, node_a: usize, node_b: usize, edge: PyObject) -> PyResult<usize> {
let p_index = NodeIndex::new(node_a);
let c_index = NodeIndex::new(node_b);
if !self.graph.contains_node(p_index) || !self.graph.contains_node(c_index) {
return Err(PyIndexError::new_err(
"One of the endpoints of the edge does not exist in graph",
));
}
Ok(self._add_edge(p_index, c_index, edge))
}
/// Add new edges to the graph.
///
/// :param list obj_list: A list of tuples of the form
/// ``(node_a, node_b, obj)`` to attach to the graph. ``node_a`` and
/// ``node_b`` are integer indices describing where an edge should be
/// added, and ``obj`` is the python object for the edge data.
///
/// If :attr:`~rustworkx.PyGraph.multigraph` is ``False`` and an edge already
/// exists between ``node_a`` and ``node_b`` the weight/payload of that
/// existing edge will be updated to be ``edge``. This will occur in order
/// from ``obj_list`` so if there are multiple parallel edges in ``obj_list``
/// the last entry will be used.
///
/// :returns: A list of int indices of the newly created edges
/// :rtype: list
#[pyo3(text_signature = "(self, obj_list, /)")]
pub fn add_edges_from(
&mut self,
obj_list: Vec<(usize, usize, PyObject)>,
) -> PyResult<EdgeIndices> {
let mut out_list: Vec<usize> = Vec::with_capacity(obj_list.len());
for obj in obj_list {
out_list.push(self.add_edge(obj.0, obj.1, obj.2)?);
}
Ok(EdgeIndices { edges: out_list })
}
/// Add new edges to the graph without python data.
///
/// :param list obj_list: A list of tuples of the form
/// ``(parent, child)`` to attach to the graph. ``parent`` and
/// ``child`` are integer indices describing where an edge should be
/// added. Unlike :meth:`add_edges_from` there is no data payload and
/// when the edge is created None will be used.
///
/// If :attr:`~rustworkx.PyGraph.multigraph` is ``False`` and an edge already
/// exists between ``node_a`` and ``node_b`` the weight/payload of that
/// existing edge will be updated to be ``None``.
///
/// :returns: A list of int indices of the newly created edges
/// :rtype: list
#[pyo3(text_signature = "(self, obj_list, /)")]
pub fn add_edges_from_no_data(
&mut self,
py: Python,
obj_list: Vec<(usize, usize)>,
) -> PyResult<EdgeIndices> {
let mut out_list: Vec<usize> = Vec::with_capacity(obj_list.len());
for obj in obj_list {
out_list.push(self.add_edge(obj.0, obj.1, py.None())?);
}
Ok(EdgeIndices { edges: out_list })
}
/// Extend graph from an edge list
///
/// This method differs from :meth:`add_edges_from_no_data` in that it will
/// add nodes if a node index is not present in the edge list.
///
/// If :attr:`~rustworkx.PyGraph.multigraph` is ``False`` and an edge already
/// exists between ``node_a`` and ``node_b`` the weight/payload of that
/// existing edge will be updated to be ``None``.
///
/// :param list edge_list: A list of tuples of the form ``(source, target)``
/// where source and target are integer node indices. If the node index
/// is not present in the graph, nodes will be added (with a node
/// weight of ``None``) to that index.
#[pyo3(text_signature = "(self, edge_list, /)")]
pub fn extend_from_edge_list(&mut self, py: Python, edge_list: Vec<(usize, usize)>) {
for (source, target) in edge_list {
let max_index = cmp::max(source, target);
while max_index >= self.node_count() {
self.graph.add_node(py.None());
}
let source_index = NodeIndex::new(source);
let target_index = NodeIndex::new(target);
self._add_edge(source_index, target_index, py.None());
}
}
/// Extend graph from a weighted edge list
///
/// This method differs from :meth:`add_edges_from` in that it will
/// add nodes if a node index is not present in the edge list.
///
/// If :attr:`~rustworkx.PyGraph.multigraph` is ``False`` and an edge already
/// exists between ``node_a`` and ``node_b`` the weight/payload of that
/// existing edge will be updated to be ``edge``. This will occur in order
/// from ``obj_list`` so if there are multiple parallel edges in ``obj_list``
/// the last entry will be used.
///
/// :param list edge_list: A list of tuples of the form
/// ``(source, target, weight)`` where source and target are integer
/// node indices. If the node index is not present in the graph,
/// nodes will be added (with a node weight of ``None``) to that index.
#[pyo3(text_signature = "(self, edge_list, /)")]
pub fn extend_from_weighted_edge_list(
&mut self,
py: Python,
edge_list: Vec<(usize, usize, PyObject)>,
) {
for (source, target, weight) in edge_list {
let max_index = cmp::max(source, target);
while max_index >= self.node_count() {
self.graph.add_node(py.None());
}
let source_index = NodeIndex::new(source);
let target_index = NodeIndex::new(target);
self._add_edge(source_index, target_index, weight);
}
}
/// Remove an edge between 2 nodes.
///
/// Note if there are multiple edges between the specified nodes only one
/// will be removed.
///
/// :param int parent: The index for the parent node.
/// :param int child: The index of the child node.
///
/// :raises NoEdgeBetweenNodes: If there are no edges between the nodes
/// specified
#[pyo3(text_signature = "(self, node_a, node_b, /)")]
pub fn remove_edge(&mut self, node_a: usize, node_b: usize) -> PyResult<()> {
let p_index = NodeIndex::new(node_a);
let c_index = NodeIndex::new(node_b);
let edge_index = match self.graph.find_edge(p_index, c_index) {
Some(edge_index) => edge_index,
None => return Err(NoEdgeBetweenNodes::new_err("No edge found between nodes")),
};
self.graph.remove_edge(edge_index);
Ok(())
}
/// Remove an edge identified by the provided index
///
/// :param int edge: The index of the edge to remove
#[pyo3(text_signature = "(self, edge, /)")]
pub fn remove_edge_from_index(&mut self, edge: usize) -> PyResult<()> {
let edge_index = EdgeIndex::new(edge);
self.graph.remove_edge(edge_index);
Ok(())
}
/// Remove edges from the graph.