Table of Contents

HipHop Environment

 

The source files used in this chapter are available in the HipHop github repository.

Shell Variables

HipHop uses the following shell variables environment:

Running HipHop programs on the Web (server and client)

In this chapter, we show how to run HipHop programs on a server-side of an application, e.g., on Nodejs, and on the client-side of a web application, .e.g., on Firefox. To run the examples, first create a fresh directory and install HipHop inside it.

mkdir example
cd example
npm install https://www-sop.inria.fr/members/Manuel.Serrano/software/npmx/hiphop.tgz

In the rest of this section we assume the file abro.hh.js defined as:

abro.hh.mjs

import { ReactiveMachine } from "@hop/hiphop";

const prg = hiphop module() {
   in A;
   in B;
   in R;
   out O = 0;
   
   do {
      fork {
         await (A.now);
      } par {
         await (B.now);
      }
      emit O(O.preval + 1);
   } every (R.now)
}

export const mach = new ReactiveMachine(prg);

Server-side execution

To execute a HipHop program on an unmodified JavaScript execution engines, let it be Nodejs, Hop, or any other compliant engine, it has to be compiled first. This is accomplished by the hhc.mjs compiler that is part of the standard HipHop distribution. To compile our abro.hh.js example, one has to use the following command:

./node_module/@hop/hiphop/bin/hhc.mjs abro.hh.mjs -o abro.mjs

This will generate two files:

Once, compiled, the program can be imported by any regular ES6 module and executed using the HipHop API. Example:

hello.mjs

import { mach } from "./abro.mjs";

mach.addEventListener("O", e => console.log(e.nowval));

mach.react();
mach.react({ A: undefined });
mach.react({ B: undefined });
mach.react({ B: undefined });
mach.react({ R: undefined });
mach.react({ A: undefined, B: undefined });
mach.react();

This program can be executed with:

nodejs --enable-source-maps hello.mjs 

Client-side execution with a Nodejs server

In this section we show how to use HipHop on client-side of web applications. We show how to proceed to implement a web app executing the abro.hh.mjs reactive program on a web browser. Let's implement a minimal web server only using the bare Nodejs' http api.

Let us first describe the web page the server delivers.

index.html

<html>
  <script type="importmap"> {
     "imports": {
        "@hop/hiphop": "/hiphop-client.mjs"
     }
  }
  </script>
  <script type="module">
    import { mach } from "./abro.mjs";
    globalThis.mach = mach;
    mach.addEventListener("O", (evt) => {
       document.getElementById("console").innerHTML = evt.nowval;
    });
    mach.react();
  </script>
  <div>
    <button onclick="mach.react({A: 1})">A</button>
    <button onclick="mach.react({B: 1})">B</button>
    <button onclick="mach.react({R: 1})">R</button>
  </div>
  <div id="console">-</div>
</html>   

The script type="importmap" specify a mapping from JavaScript module names to URL. As such, when the JavaScript code running on the browser will import the module @hop/hiphop, the browser will request the URL /hiphop.mjs to the server (we'll see in a moment how we configure the server so that it can respond to this request). By specifying a module-to-URL mapping, we can re-use the same program abro.mjs as the one we use when running on the server, althought the module @hop/hiphop has different implementations for the server and for the client.

The configuration of the web server is as follows:

node-server.mjs

import { createServer } from "node:http";
import { readFileSync, readdirSync } from "node:fs";

const host = "localhost";
const port = 8888;

const contents = {
   "/abro.mjs": readFileSync("./abro.mjs"),
   "/": readFileSync("./index.html"),
   "/hiphop-client.mjs": readFileSync("./node_modules/@hop/hiphop/hiphop-client.mjs")
}

for (let file of readdirSync("./node_modules/@hop/hiphop/lib")) {
   if (file.match(/\.m?js$/)) {
      contents["/lib/" + file] = readFileSync("./node_modules/@hop/hiphop/lib/" + file);
   }
}

const handler = function(req, res) {
   const content = contents[req.url];

   if (content) {
      if (req.url.match(/\.m?js$/)) {
         res.setHeader("Content-Type", "text/javascript");
      } else {
         res.setHeader("Content-Type", "text/html");
      }

      res.writeHead(200);
      res.end(content);
   } else {
      res.writeHead(404);
      res.end("no such file");
   }
}

const server = createServer(handler);
server.listen(port, host, () => {
    console.log(`Server is running on http://${host}:${port}`);
});

It is a standard implementation of a web server using Nodejs and contains no code specific to HipHop.

Client-side execution with a Hop Server

We can simplify the implementation of our simple HipHop web application by using a hop server instead of a plain Nodejs server.

As for the previous example, the Hiphop abro.hh.mjs file remain unchanged. In Hop, the standard way to generate HTML documents is to build them dynamically using the builtin XML syntax. The HTML page will be then generated by the index function defined as:

index.hop.mjs

export function index(R) {
   return (o) => <html>
      <script type="importmap"> {
         "imports": {
            "@hop/hiphop": "${R.url('./node_modules/@hop/hiphop/hiphop-client.mjs')}"
         }
      }
      </script>
      <script type="module">
         import { mach } from ${R.url("./abro.mjs")};
         globalThis.mach = mach;
         mach.addEventListener("O", (evt) => {
            document.getElementById("console").innerHTML = evt.nowval;
         });
         mach.react();
      </script>
      <div>
         <button onclick=~{mach.react({A: 1})}>A</button>
         <button onclick=~{mach.react({B: 1})}>B</button>
         <button onclick=~{mach.react({R: 1})}>R</button>
      </div>
      <div id="console">-</div>
   </html>
}

Before being executed, this module has to be compiled to plain JavaScript

./node_modules/@hop/hop/bin/hopc index.hop.mjs -o index.mjs

The main difference with the static document we have used for Nodejs is the use of the R variable. The Nodejs version was only able to deliver a fixed set of files and the mapping between URL and files was fixed once for all at the initialization of the program. Hop uses a more elaborated mechanism for implementing the mapping. The only useful information here is that R is a bidirectional data structure mapping actual file names to URL and vice-versa.

The server-side module is defined as follows:

hop-server.mjs

import { readFileSync, readdirSync } from "node:fs";
import { dirname } from "node:path";
import { Hop } from "@hop/hop";
import { index } from "./index.mjs";

const hopConfig = {
   ports: { http: 8888 },
   users: [ {name: "anonymous", services: "*", directories: "*"} ]
};

const hop = new Hop(hopConfig);

const cwd = dirname(import.meta.url.toString().replace(/^file:\/\//, ""));
const R = hop.Resolver(cwd);

const rootSvc = hop.Service(index(R), "/");

hop.listen().then(v => console.log(`Server is running on ${rootSvc()}`));

Typed HipHop (a.k.a. TypeScript compilation)

In this section we show to use add type annotations to HipHop programs and how to use the TypeScript compiler to detect type errors statically.

The build process is more complex because TypeScript requires all the sources to be available when it compiles a module (otherwise, it cannot type-check the module being compiled) and because of the import rules TypeScript uses. In a TypeScript import form, the module file name designates the name of the generated JavaScript file, not the name of the TypeScript source file. The last difficulty is to deal with source-map files. The TypeScript compiler generates source-map but does not read any. Meaning that if a TypeScript file is generated, the TypeScript compiler cannot associates the program it compiles with another source file. In this section, we show how to use the hhc, the HipHop compiler, and hopc, the Hop compiler to solve all these issues.

First let's add type annotations to the abro HipHop module. This typed version is stored in a file named abro.hh.ts.

abro.hh.ts

import { ReactiveMachine } from "@hop/hiphop";

const prg = hiphop module() {
   in A;
   in B;
   in R;
   out O = 0;
   
   do {
      fork {
         await (A.now);
      } par {
         await (B.now);
      }
      emit O(O.preval + 1);
   } every (R.now)
}

interface abroType {
   A: undefined;
   B: undefined;
   R: boolean;
   O: number;
};

export const mach = new ReactiveMachine(prg) as ReactiveMachine<abroType>;

This file has to be compiled in two steps. First, it has to be compiled to plain TypeScript.

./node_module/@hop/hiphop/bin/hhc.mjs abro.hh.mjs -o abro.ts

and the, using the hopc compiler into a plain JavaScript file. The hopc compiler is a mere wrapper around the tsc compiler. To let tsc generates a JavaScript ES module instead of the CommonJS module, there must be a package.json. For instance:

abro.hh.ts

{
   "name": "TypedHipHop",
   "type": "module",
   "dependencies": {
      "@hop/hiphop": "https://www-sop.inria.fr/members/Manuel.Serrano/software/npmx/hiphop.tgz",
      "@hop/hopc": "https://www-sop.inria.fr/members/Manuel.Serrano/software/npmx/hopc.tgz"
   },
   "scripts": {
      "test": "node --enable-source-maps hello.mjs",
      "build": "node_modules/@hop/hiphop/bin/hhc.mjs abro.hh.ts -o abro.ts && node_modules/@hop/hopc/bin/hopc.mjs abro.ts -o abro.mjs && node_modules/@hop/hopc/bin/hopc.mjs hello.ts -o hello.mjs"
   }
}

The declaration "type": "module" tells tsc to generate an ES module. The compilation is executed with:

./node_module/@hop/hiphop/bin/hopc.mjs abro.ts -o abro.mjs

 

We compiled hopc instead of tsc for compiling the generated TypeScript file, because hopc is able to deal with multiple source-map file, so that the file abro.map.json that will get generated will correctly map any possible runtime erroor into the orignal abro.hh.ts file. If we had used tsc instead, the generated abro.map.json file would have pointed to abro.ts instead.

Let us assume a main program that imports the HipHop machine:

hello.ts

import { mach } from "./abro.mjs";

mach.addEventListener("O", e => console.log(e.nowval));

mach.react();
mach.react({ A: undefined });
mach.react({ B: undefined });
mach.react({ B: undefined });
mach.react({ R: true });
mach.react({ A: undefined, B: undefined });
mach.react();

This program can be compiled and executed with:

./node_module/@hop/hiphop/bin/hopc.mjs hello.ts -o hello.mjs
node --enable-source-maps hello.mjs

The Net List

The HipHop compiler generates a net list from a HipHop source using the technique described in The Constructive Semantics of Pure Esterel. This compiled program can be executed by simulating the generated circuit. Two tools tools/nets2text.mjs and tools/nets2dot.mjs can be used to visualize these circuits.

The tool `tools/nets2text.mjs` generates a plain text.

Here is how to proceed for generating these files, considering a HipHop source file named foo.hh.js:

  1. Add the option { dumpNets: true } to the reactive machine for which you want to dump the net list, or set the shell HIPHOP_DUMPNETS=true to dump the net lists of all machines.
  2. Run your program. This will generate two files: foo.hh.js.nets-.json and foo.hh.js.nets+.json. The former is the net list before optimizations the latter after optimizations.
  3. Generate the text files:
    • bin/nets2text.js foo.hh.js.nets-.json > nets-.txt
    • bin/nets2text.js foo.hh.js.nets+.json > nets+.txt

The tool `tools/nets2dot.mjs` can be used in conjunction

with the dot graph visualizer to generate PDF files. Here is how to proceed for generating these files, considering a HipHop source file named foo.hh.js:

  1. Add the option { dumpNets: true } to the reactive machine for which you want to dump the net list.
  2. Run your program. This will generate two files: foo.hh.js.nets-.json and foo.hh.js.nets+.json. The former is the net list before optimizations the latter after optimizations.
  3. Generate the .dot files:
    • bin/nets2dot.js foo.hh.js.nets-.json > nets-.dot
    • bin/nets2dot.js foo.hh.js.nets+.json > nets+.dot
  4. Generate the PDF files:
    • dot -T pdf nets-.dot > nets-.pdf
    • dot -T pdf nets+.dot > nets+.pdf

The main syntax of the json files representing the net lists is as follows:

NETLIST ::= {
  "filename": STRING, # the name fo the source file of the main hiphop module
  "sweep": BOOL,      # true iff the sweep optimization is enabled
  "nets": [ NET, ..., NET ] # the actual net list
}

The syntax of the NET is as follows.

NET ::= {
  "id": INTEGER,      # a unique identifier
  "lvl": INTEGER,     # the re-incarnation level (used for loops)
  "type": NET-TYPE,   # the type of the net
  "fanout": [FAN, ... FAN], # the out nets of this net
  "fanin": [FAN, ... FAN]   # the int nets of this net
}

NET-TYPE ::= "REG"
  | "SIG"
  | "TRUE"
  | "FALSE"
  | "AND"
  | "OR"
  | "TEST"
  | "ACTION"
  | "SIGACTION"

FAN ::= {
  "id": INTEGER,      # the net the fan points to
  "polarity": BOOL,   # the polarity of the connection
  "dep": BOOL         # true iff a signal dependency
}

Nets have also pre-type extra fields.

NET-REG ::= {         # fields available withe type == "REG"
  ...
  value: BOOL         # the initial value of the register
}

NET-SIG ::= {         # fields available withe type == "SIG"
  ...
  signame: STRING     # the name of the associated signal
  accessibility: INTEGER # 1: IN, 2: OUT, 3: INOUT, 4: LOCAL
}

NET-SIG ::= {         # fields available withe type == "SIG"
  ...
  signame: STRING     # the name of the associated signal
  accessibility: INTEGER # 1: IN, 2: OUT, 3: INOUT, 4: LOCAL
}

NET-SIGACTION ::= {   # fields available withe type == "SIGACTION"
  ...
  signal: STRING      # the name of the emitted signal
}

 

Finally, json structures might contain extra private fields whose names start with the $ characters. These fields are used for better visualizations of the net list but they are not required to execute of optimize the net lists.

Example. Let us consider the P15 example found in page 75 of The Constructive Semantics of Pure Esterel. In HipHop this program is implemented as:

p15.hh.js

import * as hh from "@hop/hiphop";

hiphop module P15() {
   in I, J;
   out O1, O2, O3;

   fork {
      if (I.now) {
         emit O1(1);
      }
   } par {
      if (J.now) {
         if (O1.now) {
            emit O2(2);
         } else {
            emit O3(3);
         }
      }
   }
}

export const mach = new hh.ReactiveMachine(P15, { sweep: true, dumpNets: true, verbose: 1 });
mach.outbuf = "";

mach.addEventListener("O3", v => mach.outbuf += "O3=" + v.nowval + "\n");
mach.addEventListener("O2", v => mach.outbuf += "O2=" + v.nowval + "\n");
mach.addEventListener("O1", v => mach.outbuf += "O1=" + v.nowval + "\n");

function react(sigs) {
   const s = mach.save();
   mach.react(sigs);
   mach.restore(s);
}

react({I: 1});
react({I: 1, J: 1});
react({J: 1});
react();

The generated net list is:

p15.net.json

{
    "filename": "p15.hh.mjs",
    "sweep": false,
    "nets": [{
        "id": 0,
        "lvl": 0,
        "type": "REG",
        "fanout": [{
            "id": 50,
            "polarity": true,
            "dep": false
        }, {
            "id": 99,
            "polarity": true,
            "dep": false
        }, {
            "id": 100,
            "polarity": true,
            "dep": false
        }, {
            "id": 101,
            "polarity": true,
            "dep": false
        }],
        "fanin": [{
            "id": 1,
            "polarity": true,
            "dep": false
        }],
        "$name": "global_boot_register [Module:0/0]",
        "$ast": "Module",
        "$sweepable": false,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 43
        },
        "value": true
    }, {
        "id": 1,
        "lvl": 0,
        "type": "FALSE",
        "fanout": [{
            "id": 0,
            "polarity": true,
            "dep": false
        }, {
            "id": 53,
            "polarity": true,
            "dep": false
        }, {
            "id": 102,
            "polarity": true,
            "dep": false
        }, {
            "id": 103,
            "polarity": true,
            "dep": false
        }, {
            "id": 104,
            "polarity": true,
            "dep": false
        }],
        "fanin": [],
        "$name": "global_const0 [Module:0/0]",
        "$ast": "Module",
        "$sweepable": false,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 43
        }
    }, {
        "id": 3,
        "lvl": 0,
        "type": "SIG",
        "fanout": [{
            "id": 50,
            "polarity": true,
            "dep": false
        }, {
            "id": 53,
            "polarity": true,
            "dep": false
        }],
        "fanin": [],
        "$name": "I [Module:0/0]",
        "$ast": "Module",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 43
        },
        "signame": "I",
        "accessibility": 1
    }, {
        "id": 5,
        "lvl": 0,
        "type": "SIG",
        "fanout": [{
            "id": 99,
            "polarity": true,
            "dep": false
        }, {
            "id": 100,
            "polarity": true,
            "dep": false
        }, {
            "id": 101,
            "polarity": true,
            "dep": false
        }, {
            "id": 102,
            "polarity": true,
            "dep": false
        }, {
            "id": 103,
            "polarity": true,
            "dep": false
        }, {
            "id": 104,
            "polarity": true,
            "dep": false
        }],
        "fanin": [],
        "$name": "J [Module:0/0]",
        "$ast": "Module",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 43
        },
        "signame": "J",
        "accessibility": 1
    }, {
        "id": 7,
        "lvl": 0,
        "type": "SIG",
        "fanout": [{
            "id": 99,
            "polarity": true,
            "dep": false
        }, {
            "id": 102,
            "polarity": true,
            "dep": false
        }],
        "fanin": [{
            "id": 50,
            "polarity": true,
            "dep": false
        }, {
            "id": 53,
            "polarity": true,
            "dep": false
        }],
        "$name": "O1 [Module:0/0]",
        "$ast": "Module",
        "$sweepable": false,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 43
        },
        "signame": "O1",
        "accessibility": 3
    }, {
        "id": 9,
        "lvl": 0,
        "type": "SIG",
        "fanout": [],
        "fanin": [{
            "id": 100,
            "polarity": true,
            "dep": false
        }, {
            "id": 103,
            "polarity": true,
            "dep": false
        }],
        "$name": "O2 [Module:0/0]",
        "$ast": "Module",
        "$sweepable": false,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 43
        },
        "signame": "O2",
        "accessibility": 3
    }, {
        "id": 11,
        "lvl": 0,
        "type": "SIG",
        "fanout": [],
        "fanin": [{
            "id": 101,
            "polarity": true,
            "dep": false
        }, {
            "id": 104,
            "polarity": true,
            "dep": false
        }],
        "$name": "O3 [Module:0/0]",
        "$ast": "Module",
        "$sweepable": false,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 43
        },
        "signame": "O3",
        "accessibility": 3
    }, {
        "id": 24,
        "lvl": 0,
        "type": "SIGACTION",
        "fanout": [],
        "fanin": [{
            "id": 50,
            "polarity": true,
            "dep": false
        }],
        "$name": "O1_sig_expr [Emit:0/1]",
        "$ast": "Emit",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 218
        },
        "$signals": "",
        "$action": "return 1;",
        "signal": "!O1:0"
    }, {
        "id": 25,
        "lvl": 1,
        "type": "SIGACTION",
        "fanout": [],
        "fanin": [{
            "id": 53,
            "polarity": true,
            "dep": false
        }],
        "$name": "O1_sig_expr [Emit:1/1]",
        "$ast": "Emit",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 218
        },
        "$signals": "",
        "$action": "return 1;",
        "signal": "!O1:0"
    }, {
        "id": 50,
        "lvl": 0,
        "type": "AND",
        "fanout": [{
            "id": 7,
            "polarity": true,
            "dep": false
        }, {
            "id": 24,
            "polarity": true,
            "dep": false
        }],
        "fanin": [{
            "id": 0,
            "polarity": true,
            "dep": false
        }, {
            "id": 3,
            "polarity": true,
            "dep": false
        }],
        "$name": "go_and_s [If:0/1]",
        "$ast": "If",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 198
        }
    }, {
        "id": 53,
        "lvl": 1,
        "type": "AND",
        "fanout": [{
            "id": 7,
            "polarity": true,
            "dep": false
        }, {
            "id": 25,
            "polarity": true,
            "dep": false
        }],
        "fanin": [{
            "id": 1,
            "polarity": true,
            "dep": false
        }, {
            "id": 3,
            "polarity": true,
            "dep": false
        }],
        "$name": "go_and_s [If:1/1]",
        "$ast": "If",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 198
        }
    }, {
        "id": 71,
        "lvl": 0,
        "type": "SIGACTION",
        "fanout": [],
        "fanin": [{
            "id": 100,
            "polarity": true,
            "dep": false
        }],
        "$name": "O2_sig_expr [Emit:0/1]",
        "$ast": "Emit",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 289
        },
        "$signals": "",
        "$action": "return 2;",
        "signal": "!O2:0"
    }, {
        "id": 72,
        "lvl": 1,
        "type": "SIGACTION",
        "fanout": [],
        "fanin": [{
            "id": 103,
            "polarity": true,
            "dep": false
        }],
        "$name": "O2_sig_expr [Emit:1/1]",
        "$ast": "Emit",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 289
        },
        "$signals": "",
        "$action": "return 2;",
        "signal": "!O2:0"
    }, {
        "id": 85,
        "lvl": 0,
        "type": "SIGACTION",
        "fanout": [],
        "fanin": [{
            "id": 101,
            "polarity": true,
            "dep": false
        }],
        "$name": "O3_sig_expr [Emit:0/1]",
        "$ast": "Emit",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 317
        },
        "$signals": "",
        "$action": "return 3;",
        "signal": "!O3:0"
    }, {
        "id": 86,
        "lvl": 1,
        "type": "SIGACTION",
        "fanout": [],
        "fanin": [{
            "id": 104,
            "polarity": true,
            "dep": false
        }],
        "$name": "O3_sig_expr [Emit:1/1]",
        "$ast": "Emit",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 317
        },
        "$signals": "",
        "$action": "return 3;",
        "signal": "!O3:0"
    }, {
        "id": 99,
        "lvl": 0,
        "type": "AND",
        "fanout": [{
            "id": 100,
            "polarity": true,
            "dep": false
        }, {
            "id": 101,
            "polarity": false,
            "dep": false
        }],
        "fanin": [{
            "id": 7,
            "polarity": true,
            "dep": false
        }, {
            "id": 0,
            "polarity": true,
            "dep": false
        }, {
            "id": 5,
            "polarity": true,
            "dep": false
        }],
        "$name": "testexpr_as_and [If:0/1]",
        "$ast": "If",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 265
        }
    }, {
        "id": 100,
        "lvl": 0,
        "type": "AND",
        "fanout": [{
            "id": 9,
            "polarity": true,
            "dep": false
        }, {
            "id": 71,
            "polarity": true,
            "dep": false
        }],
        "fanin": [{
            "id": 99,
            "polarity": true,
            "dep": false
        }, {
            "id": 0,
            "polarity": true,
            "dep": false
        }, {
            "id": 5,
            "polarity": true,
            "dep": false
        }],
        "$name": "go_and_s [If:0/1]",
        "$ast": "If",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 265
        }
    }, {
        "id": 101,
        "lvl": 0,
        "type": "AND",
        "fanout": [{
            "id": 11,
            "polarity": true,
            "dep": false
        }, {
            "id": 85,
            "polarity": true,
            "dep": false
        }],
        "fanin": [{
            "id": 99,
            "polarity": false,
            "dep": false
        }, {
            "id": 0,
            "polarity": true,
            "dep": false
        }, {
            "id": 5,
            "polarity": true,
            "dep": false
        }],
        "$name": "go_and_not_s [If:0/1]",
        "$ast": "If",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 265
        }
    }, {
        "id": 102,
        "lvl": 1,
        "type": "AND",
        "fanout": [{
            "id": 103,
            "polarity": true,
            "dep": false
        }, {
            "id": 104,
            "polarity": false,
            "dep": false
        }],
        "fanin": [{
            "id": 7,
            "polarity": true,
            "dep": false
        }, {
            "id": 1,
            "polarity": true,
            "dep": false
        }, {
            "id": 5,
            "polarity": true,
            "dep": false
        }],
        "$name": "testexpr_as_and [If:1/1]",
        "$ast": "If",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 265
        }
    }, {
        "id": 103,
        "lvl": 1,
        "type": "AND",
        "fanout": [{
            "id": 9,
            "polarity": true,
            "dep": false
        }, {
            "id": 72,
            "polarity": true,
            "dep": false
        }],
        "fanin": [{
            "id": 102,
            "polarity": true,
            "dep": false
        }, {
            "id": 1,
            "polarity": true,
            "dep": false
        }, {
            "id": 5,
            "polarity": true,
            "dep": false
        }],
        "$name": "go_and_s [If:1/1]",
        "$ast": "If",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 265
        }
    }, {
        "id": 104,
        "lvl": 1,
        "type": "AND",
        "fanout": [{
            "id": 11,
            "polarity": true,
            "dep": false
        }, {
            "id": 86,
            "polarity": true,
            "dep": false
        }],
        "fanin": [{
            "id": 102,
            "polarity": false,
            "dep": false
        }, {
            "id": 1,
            "polarity": true,
            "dep": false
        }, {
            "id": 5,
            "polarity": true,
            "dep": false
        }],
        "$name": "go_and_not_s [If:1/1]",
        "$ast": "If",
        "$sweepable": true,
        "$loc": {
            "filename": "p15.hh.mjs",
            "pos": 265
        }
    }]
}

Executing the Net List

The execution of a HipHop reaction consists in simulating the propagation of the electricity in a net list. For that HipHop puts all the nets in a queue and removed the nets one by one when all their dependencies are known. It initiates the process with the REG nets whose values are always known at the beginning of the reaction and with the TRUE and FALSE gates.

When a gate has obtained its value in the reaction, it propagates it to its fanout. When a net receives a value, it checks if this value is sufficient for it to compute its value in the reaction (for instance, when an OR receives a true value, it does not need to wait for all its fanin, and conversely when an AND net receives a false value). If it is, it compute its values and registers itself and recurisevely propagates its value to its fanout nets.

TEST, ACTION, and SIGACTION nets invokes their associated JavaScript action when the value of the net is known and when all their dependencies (i.e., the fanins whose dep value is true) are resolved.

At the end of the reaction, if some nets are left unpropagated, an error is raised.