| 24 | 24 | |
| 25 | 25 | class Graph: |
| 26 | 26 | def __init__(self, data: list | None = None): |
| 27 | | pass |
| 27 | """ |
| 28 | Initialize a Graph with a list of tuples describing attributes, nodes, and edges. |
| 29 | |
| 30 | :param data: A list of tuples. Each tuple represents either an attribute, node, or edge. |
| 31 | """ |
| 32 | # Edge Case: Graph data is not a list |
| 33 | if data is not None and not isinstance(data, list): |
| 34 | raise TypeError("Graph data malformed") |
| 35 | |
| 36 | self.nodes = [] |
| 37 | self.edges = [] |
| 38 | self.attrs = {} |
| 39 | |
| 40 | # Edge Case: Empty graph (data is None) |
| 41 | if data is None: |
| 42 | return |
| 43 | |
| 44 | # Process each item in the data list |
| 45 | for item in data: |
| 46 | # Edge Case: Graph item is not a tuple |
| 47 | if not isinstance(item, tuple): |
| 48 | raise TypeError("Graph item malformed") |
| 49 | |
| 50 | # Edge Case: Graph item is empty |
| 51 | if len(item) == 0: |
| 52 | raise TypeError("Graph item malformed") |
| 53 | |
| 54 | item_type = item[0] |
| 55 | |
| 56 | # Edge Case: Unknown item type |
| 57 | if item_type not in [NODE, EDGE, ATTR]: |
| 58 | raise ValueError("Unknown item") |
| 59 | |
| 60 | # Process attribute |
| 61 | if item_type == ATTR: |
| 62 | # Edge Case: Attribute tuple has wrong number of elements |
| 63 | if len(item) != 3: |
| 64 | raise TypeError("Graph item malformed") |
| 65 | |
| 66 | key, value = item[1], item[2] |
| 67 | self.attrs[key] = value |
| 68 | |
| 69 | # Process node |
| 70 | elif item_type == NODE: |
| 71 | # Edge Case: Node tuple has wrong number of elements |
| 72 | if len(item) != 3: |
| 73 | raise TypeError("Graph item malformed") |
| 74 | |
| 75 | name, attrs = item[1], item[2] |
| 76 | # Edge Case: Node attributes is not a dict |
| 77 | if not isinstance(attrs, dict): |
| 78 | raise TypeError("Graph item malformed") |
| 79 | |
| 80 | self.nodes.append(Node(name, attrs)) |
| 81 | |
| 82 | # Process edge |
| 83 | elif item_type == EDGE: |
| 84 | # Edge Case: Edge tuple has wrong number of elements |
| 85 | if len(item) != 4: |
| 86 | raise TypeError("Graph item malformed") |
| 87 | |
| 88 | src, dst, attrs = item[1], item[2], item[3] |
| 89 | # Edge Case: Edge attributes is not a dict |
| 90 | if not isinstance(attrs, dict): |
| 91 | raise TypeError("Graph item malformed") |
| 92 | |
| 93 | self.edges.append(Edge(src, dst, attrs)) |
| 94 | |
| 95 | # Handled Edge Cases: Graph data is not a list, Empty graph (data is None), Graph item is not a tuple, |
| 96 | # Graph item is empty, Unknown item type, Attribute tuple has wrong number of elements, |
| 97 | # Node tuple has wrong number of elements, Node attributes is not a dict, |
| 98 | # Edge tuple has wrong number of elements, Edge attributes is not a dict |