Graph: implement edge methods (#348)

This commit implements the following edge related methods on graph:

- `Graph.addEdge(edge)`
- `Graph.hasEdge(address)`
- `Graph.edge(address)`
- `Graph.edges()`

We've decided to enforce an invariant that for every edge, its `src` and
`dst` nodes must be present in the graph. As such, `Graph.addEdge` may
error if this condition is not true for the proposed edge, and
`Graph.removeNode` may error if any edges depend on the node being
removed. This invariant is documented via comments, and checked by the
test code.

Test plan:
Extensive unit tests have been added. Run `yarn travis`.

Paired with @wchargin
This commit is contained in:
Dandelion Mané 2018-06-05 16:50:45 -07:00 committed by GitHub
parent 051ca7034d
commit 0deb3511c2
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
2 changed files with 286 additions and 31 deletions

View File

@ -26,11 +26,14 @@ export type NeighborsOptions = {|
export opaque type GraphJSON = any; // TODO
export class Graph {
// A node `n` is in the graph if `_nodes.has(n)`.
//
// An edge `e` is in the graph if `_edges.get(e.address)`
// is deep-equal to `e`.
//
// Invariant: If an edge `e` is in the graph, then `e.src` and `e.dst`
// are both in the graph.
_nodes: Set<NodeAddress>;
// If `e` is an Edge in the graph, then:
// * _edges.get(e.address) `deepEquals` e
// * _inEdges.get(e.dst) `contains` e
// * _outEdges.get(e.src) `contains` e
_edges: Map<EdgeAddress, Edge>;
_inEdges: Map<NodeAddress, Edge[]>;
_outEdges: Map<NodeAddress, Edge[]>;
@ -50,6 +53,14 @@ export class Graph {
removeNode(a: NodeAddress): this {
Address.assertNodeAddress(a);
for (const e of this.edges()) {
if (e.src === a || e.dst === a) {
const srcOrDst = e.src === a ? "src" : "dst";
throw new Error(
`Attempted to remove ${srcOrDst} of ${edgeToString(e)}`
);
}
}
this._nodes.delete(a);
return this;
}
@ -63,28 +74,53 @@ export class Graph {
yield* this._nodes;
}
addEdge({src, dst, address}: Edge): this {
const _ = {src, dst, address};
throw new Error("addEdge");
addEdge(edge: Edge): this {
Address.assertNodeAddress(edge.src, "edge.src");
Address.assertNodeAddress(edge.dst, "edge.dst");
Address.assertEdgeAddress(edge.address, "edge.address");
const srcMissing = !this._nodes.has(edge.src);
const dstMissing = !this._nodes.has(edge.dst);
if (srcMissing || dstMissing) {
const missingThing = srcMissing ? "src" : "dst";
throw new Error(`Missing ${missingThing} on edge: ${edgeToString(edge)}`);
}
const existingEdge = this._edges.get(edge.address);
if (existingEdge != null) {
if (
existingEdge.src !== edge.src ||
existingEdge.dst !== edge.dst ||
existingEdge.address !== edge.address
) {
const strEdge = edgeToString(edge);
const strExisting = edgeToString(existingEdge);
throw new Error(
`conflict between new edge ${strEdge} and existing ${strExisting}`
);
}
}
this._edges.set(edge.address, edge);
return this;
}
removeEdge(a: EdgeAddress): this {
const _ = a;
throw new Error("removeEdge");
removeEdge(address: EdgeAddress): this {
Address.assertEdgeAddress(address);
this._edges.delete(address);
return this;
}
hasEdge(address: EdgeAddress): boolean {
const _ = address;
throw new Error("hasEdge");
Address.assertEdgeAddress(address);
return this._edges.has(address);
}
edge(address: EdgeAddress): ?Edge {
const _ = address;
throw new Error("edge");
Address.assertEdgeAddress(address);
return this._edges.get(address);
}
edges(): Iterator<Edge> {
throw new Error("edges");
*edges(): Iterator<Edge> {
yield* this._edges.values();
}
neighbors(node: NodeAddress, options?: NeighborsOptions): Iterator<Neighbor> {

View File

@ -4,18 +4,18 @@ import {Address, Graph, edgeToString} from "./graph";
import type {NodeAddress, EdgeAddress} from "./graph";
describe("core/graph", () => {
const {nodeAddress, edgeAddress} = Address;
describe("Address re-exports", () => {
it("exist", () => {
expect(Address).toEqual(expect.anything());
});
it("include distinct NodeAddress and EdgeAddress types", () => {
const nodeAddress: NodeAddress = Address.nodeAddress([]);
const edgeAddress: EdgeAddress = Address.edgeAddress([]);
const node: NodeAddress = nodeAddress([]);
const edge: EdgeAddress = edgeAddress([]);
// $ExpectFlowError
const badNodeAddress: NodeAddress = edgeAddress;
const _unused_badNodeAddress: NodeAddress = edge;
// $ExpectFlowError
const badEdgeAddress: EdgeAddress = nodeAddress;
const _ = {badNodeAddress, badEdgeAddress};
const _unused_badEdgeAddress: EdgeAddress = node;
});
it("are read-only", () => {
const originalToParts = Address.toParts;
@ -45,23 +45,49 @@ describe("core/graph", () => {
});
});
}
describe("node methods", () => {
describe("error on", () => {
const p = Graph.prototype;
const nodeMethods = [p.addNode, p.removeNode, p.hasNode];
function rejectsEdge(f) {
it(`${f.name} rejects EdgeAddress`, () => {
const e = Address.edgeAddress(["foo"]);
// $ExpectFlowError
expect(() => f.call(new Graph(), e)).toThrow("got EdgeAddress");
describe("null/undefined", () => {
nodeMethods.forEach(graphRejectsNulls);
});
describe("edge addresses", () => {
function rejectsEdgeAddress(f) {
it(`${f.name} rejects EdgeAddress`, () => {
const e = edgeAddress(["foo"]);
// $ExpectFlowError
expect(() => f.call(new Graph(), e)).toThrow("got EdgeAddress");
});
}
nodeMethods.forEach(rejectsEdgeAddress);
});
describe("remove a node that is some edge's", () => {
const src = nodeAddress(["src"]);
const dst = nodeAddress(["dst"]);
const address = edgeAddress(["edge"]);
const edge = () => ({src, dst, address});
const graph = () =>
new Graph()
.addNode(src)
.addNode(dst)
.addEdge(edge());
it("src", () => {
expect(() => graph().removeNode(src)).toThrow(
"Attempted to remove src of"
);
});
}
nodeMethods.forEach(graphRejectsNulls);
nodeMethods.forEach(rejectsEdge);
it("dst", () => {
expect(() => graph().removeNode(dst)).toThrow(
"Attempted to remove dst of"
);
});
});
});
describe("work on", () => {
const n1 = Address.nodeAddress(["foo"]);
const n1 = nodeAddress(["foo"]);
it("a graph with no nodes", () => {
const graph = new Graph();
expect(graph.hasNode(n1)).toBe(false);
@ -96,7 +122,7 @@ describe("core/graph", () => {
expect(Array.from(graph.nodes())).toHaveLength(0);
});
it("a graph with two nodes", () => {
const n2 = Address.nodeAddress([""]);
const n2 = nodeAddress([""]);
const graph = new Graph().addNode(n1).addNode(n2);
expect(graph.hasNode(n1)).toBe(true);
expect(graph.hasNode(n2)).toBe(true);
@ -104,6 +130,199 @@ describe("core/graph", () => {
});
});
});
describe("edge methods", () => {
const edgeArray = (g: Graph) => Array.from(g.edges());
describe("error on", () => {
const p = Graph.prototype;
const edgeAddrMethods = [p.removeEdge, p.hasEdge, p.edge];
describe("null/undefined", () => {
edgeAddrMethods.forEach(graphRejectsNulls);
graphRejectsNulls(p.addEdge);
});
describe("node addresses", () => {
function rejectsNodeAddress(f) {
it(`${f.name} rejects NodeAddress`, () => {
const e = nodeAddress(["foo"]);
// $ExpectFlowError
expect(() => f.call(new Graph(), e)).toThrow("got NodeAddress");
});
}
edgeAddrMethods.forEach(rejectsNodeAddress);
});
describe("addEdge edge validation", () => {
describe("throws on absent", () => {
const src = nodeAddress(["src"]);
const dst = nodeAddress(["dst"]);
const address = edgeAddress(["hi"]);
it("src", () => {
expect(() =>
new Graph().addNode(dst).addEdge({src, dst, address})
).toThrow("Missing src");
});
it("dst", () => {
expect(() =>
new Graph().addNode(src).addEdge({src, dst, address})
).toThrow("Missing dst");
});
});
describe("throws on edge with", () => {
const n = nodeAddress(["foo"]);
const e = edgeAddress(["bar"]);
const x = "foomlio";
const badEdges = [
{
what: "malformed src",
edge: {src: x, dst: n, address: e},
msg: "edge.src",
},
{
what: "edge address for src",
edge: {src: e, dst: n, address: e},
msg: "edge.src",
},
{
what: "malformed dst",
edge: {src: n, dst: x, address: e},
msg: "edge.dst",
},
{
what: "edge address for dst",
edge: {src: n, dst: e, address: e},
msg: "edge.dst",
},
{
what: "malformed address",
edge: {src: n, dst: n, address: x},
msg: "edge.address",
},
{
what: "node address for address",
edge: {src: n, dst: n, address: n},
msg: "edge.address",
},
];
badEdges.forEach(({what, edge, msg}) => {
it(what, () => {
const graph = new Graph().addNode(n);
// $ExpectFlowError
expect(() => graph.addEdge(edge)).toThrow(msg);
});
});
});
});
});
describe("on a graph", () => {
const src = nodeAddress(["foo"]);
const dst = nodeAddress(["bar"]);
const address = edgeAddress(["yay"]);
describe("that has no edges or nodes", () => {
it("`hasEdge` is false for some address", () => {
expect(new Graph().hasEdge(address)).toBe(false);
});
it("`edge` is undefined for some address", () => {
expect(new Graph().edge(address)).toBe(undefined);
});
it("`edges` is empty", () => {
expect(edgeArray(new Graph())).toHaveLength(0);
});
});
describe("with just one edge", () => {
const graph = () =>
new Graph()
.addNode(src)
.addNode(dst)
.addEdge({src, dst, address});
it("`hasEdge` can discover the edge", () => {
expect(graph().hasEdge(address)).toBe(true);
});
it("`edge` can retrieve the edge", () => {
expect(graph().edge(address)).toEqual({src, dst, address});
});
it("`edges` contains the edge", () => {
const edgeArray = (g: Graph) => Array.from(g.edges());
expect(edgeArray(graph())).toEqual([{src, dst, address}]);
});
});
describe("with edge added and removed", () => {
const graph = () =>
new Graph()
.addNode(src)
.addNode(dst)
.addEdge({src, dst, address})
.removeEdge(address);
it("`hasEdge` now returns false", () => {
expect(graph().hasEdge(address)).toBe(false);
});
it("`edge` returns undefined", () => {
expect(graph().edge(address)).toBe(undefined);
});
it("`edges` is empty", () => {
expect(edgeArray(graph())).toHaveLength(0);
});
it("nodes were not removed", () => {
expect(graph().hasNode(src)).toBe(true);
expect(graph().hasNode(dst)).toBe(true);
expect(Array.from(graph().nodes())).toHaveLength(2);
});
});
describe("with multiple loop edges", () => {
const e1 = edgeAddress(["e1"]);
const e2 = edgeAddress(["e2"]);
const edge1 = {src, dst: src, address: e1};
const edge2 = {src, dst: src, address: e2};
const quiver = () =>
new Graph()
.addNode(src)
.addEdge(edge1)
.addEdge(edge2);
it("adding multiple loop edges throws no error", () => {
quiver();
});
it("both edges are discoverable via `hasEdge`", () => {
expect(quiver().hasEdge(e1)).toBe(true);
expect(quiver().hasEdge(e2)).toBe(true);
});
it("both edges are retrievable via `edge`", () => {
expect(quiver().edge(e1)).toEqual(edge1);
expect(quiver().edge(e2)).toEqual(edge2);
});
it("both edges are retrievable from `edges`", () => {
expect(edgeArray(quiver()).sort()).toEqual([edge1, edge2].sort());
});
});
});
describe("idempotency of", () => {
const src = nodeAddress(["src"]);
const dst = nodeAddress(["dst"]);
const address = edgeAddress(["hi"]);
it("`addEdge`", () => {
const g = new Graph()
.addNode(src)
.addNode(dst)
.addEdge({src, dst, address})
.addEdge({src, dst, address});
expect(edgeArray(g)).toEqual([{src, dst, address}]);
});
it("`removeEdge`", () => {
const g = new Graph()
.addNode(src)
.addNode(dst)
.addEdge({src, dst, address})
.removeEdge(address)
.removeEdge(address);
expect(edgeArray(g)).toHaveLength(0);
});
});
});
});
describe("edgeToString", () => {