HTML preprocessors can make writing HTML more powerful or convenient. For instance, Markdown is designed to be easier to write and read for text documents and you could write a loop in Pug.
In CodePen, whatever you write in the HTML editor is what goes within the <body>
tags in a basic HTML5 template. So you don't have access to higher-up elements like the <html>
tag. If you want to add classes there that can affect the whole document, this is the place to do it.
In CodePen, whatever you write in the HTML editor is what goes within the <body>
tags in a basic HTML5 template. If you need things in the <head>
of the document, put that code here.
The resource you are linking to is using the 'http' protocol, which may not work when the browser is using https.
CSS preprocessors help make authoring CSS easier. All of them offer things like variables and mixins to provide convenient abstractions.
It's a common practice to apply CSS to a page that styles elements such that they are consistent across all browsers. We offer two of the most popular choices: normalize.css and a reset. Or, choose Neither and nothing will be applied.
To get the best cross-browser support, it is a common practice to apply vendor prefixes to CSS properties and values that require them to work. For instance -webkit-
or -moz-
.
We offer two popular choices: Autoprefixer (which processes your CSS server-side) and -prefix-free (which applies prefixes via a script, client-side).
Any URLs added here will be added as <link>
s in order, and before the CSS in the editor. You can use the CSS from another Pen by using its URL and the proper URL extension.
You can apply CSS to your Pen from any stylesheet on the web. Just put a URL to it here and we'll apply it, in the order you have them, before the CSS in the Pen itself.
You can also link to another Pen here (use the .css
URL Extension) and we'll pull the CSS from that Pen and include it. If it's using a matching preprocessor, use the appropriate URL Extension and we'll combine the code before preprocessing, so you can use the linked Pen as a true dependency.
JavaScript preprocessors can help make authoring JavaScript easier and more convenient.
Babel includes JSX processing.
Any URL's added here will be added as <script>
s in order, and run before the JavaScript in the editor. You can use the URL of any other Pen and it will include the JavaScript from that Pen.
You can apply a script from anywhere on the web to your Pen. Just put a URL to it here and we'll add it, in the order you have them, before the JavaScript in the Pen itself.
If the script you link to has the file extension of a preprocessor, we'll attempt to process it before applying.
You can also link to another Pen here, and we'll pull the JavaScript from that Pen and include it. If it's using a matching preprocessor, we'll combine the code before preprocessing, so you can use the linked Pen as a true dependency.
Search for and use JavaScript packages from npm here. By selecting a package, an import
statement will be added to the top of the JavaScript editor for this package.
Using packages here is powered by esm.sh, which makes packages from npm not only available on a CDN, but prepares them for native JavaScript ESM usage.
All packages are different, so refer to their docs for how they work.
If you're using React / ReactDOM, make sure to turn on Babel for the JSX processing.
If active, Pens will autosave every 30 seconds after being saved once.
If enabled, the preview panel updates automatically as you code. If disabled, use the "Run" button to update.
If enabled, your code will be formatted when you actively save your Pen. Note: your code becomes un-folded during formatting.
Visit your global Editor Settings.
<body class="app">
<div id="paper"></div>
<fieldset id="results">
<legend>Results</legend>
<div>
<input type="checkbox" id="wins" name="Winner" checked>
<label for="wins">Wins</label>
</div>
<div>
<input type="checkbox" id="losses" name="Loser">
<label for="losses">Losses</label>
</div>
<div>
<input type="checkbox" id="draws" name="Draw">
<label for="draws">Draws</label>
</fieldset>
<a target="_blank" href="https://www.jointjs.com">
<img id="logo" src="https://assets.codepen.io/7589991/jj-logo-white.svg" width="200" height="50"></img>
</a>
</body>
html,
body {
margin: 0;
padding: 0;
height: 100%;
}
body {
overflow-y: scroll;
overflow-x: hidden;
background: #131e29;
}
#logo {
position: fixed;
bottom: 20px;
left: 0;
}
#results {
top: 10px;
left: 10px;
position: fixed;
color: #dde6ed;
font-family: sans-serif;
background: #131e29;
}
.app .joint-tooltip {
color: #131e29;
font-size: 13px;
line-height: 15px;
font-family: sans-serif;
}
// The example is inspired by João H de A Franco's article:
// https://jhafranco.com/tag/decision-tree
const { dia, util, layout } = joint;
const rankSize = 160;
const nodeSize = 40;
const roundCount = 3;
const strategies = [
{
name: "Play Fearlessly",
icon: "https://assets.codepen.io/7589991/sword.svg",
loose: 0.55,
win: 0.45,
draw: 0
},
{
name: "Play Defensively",
icon: "https://assets.codepen.io/7589991/shield.svg",
loose: 0.1,
win: 0,
draw: 0.9
}
];
class Node extends dia.Element {
defaults() {
return {
...super.defaults,
size: { width: nodeSize, height: nodeSize }
};
}
getBodyAttrs() {
return {
strokeWidth: 4,
stroke: "#ed2637",
fill: "transparent"
};
}
getLabelAttrs() {
return {
fill: "#f6f740",
textAnchor: "middle",
textVerticalAlign: "bottom",
fontFamily: "sans-serif",
x: "calc(w / 2)",
y: -10
};
}
}
class DecisionMadeNode extends Node {
defaults() {
return {
...super.defaults(),
type: "DecisionMadeNode",
attrs: {
root: {
magnetSelector: "body"
},
body: {
...this.getBodyAttrs(),
width: "calc(w)",
height: "calc(h)"
},
label: {
...this.getLabelAttrs()
}
}
};
}
preinitialize() {
this.markup = util.svg`
<rect @selector="body" />
<text @selector="label" />
`;
}
}
class ChanceEventNode extends Node {
defaults() {
return {
...super.defaults(),
type: "ChanceEventNode",
attrs: {
root: {
magnetSelector: "body"
},
body: {
...this.getBodyAttrs(),
rx: "calc(w / 2)",
ry: "calc(h / 2)",
cx: "calc(w / 2)",
cy: "calc(h / 2)"
},
label: {
...this.getLabelAttrs()
}
}
};
}
preinitialize() {
this.markup = util.svg`
<ellipse @selector="body" />
<text @selector="label" />
`;
}
}
class EndPointNode extends Node {
defaults() {
return {
...super.defaults(),
type: "EndPointNode",
attrs: {
root: {
magnetSelector: "body"
},
body: {
...this.getBodyAttrs(),
d: "M 0 calc(h / 2) L calc(w) 0 V calc(h) Z"
},
label: {
...this.getLabelAttrs()
}
}
};
}
preinitialize() {
this.markup = util.svg`
<path @selector="body" />
<text @selector="label" />
`;
}
}
class EndPointLabelNode extends Node {
defaults() {
return {
...super.defaults(),
type: "EndPointLabelNode",
attrs: {
label: {
textAnchor: "middle",
fontFamily: "sans-serif",
fill: "#0075f2",
lineHeight: 20,
fontSize: 16
}
}
};
}
preinitialize() {
this.markup = util.svg`
<text @selector="label" />
`;
}
}
class Link extends dia.Link {
defaults() {
return {
...super.defaults,
type: "Link",
attrs: {
line: {
connection: true,
fill: "none",
stroke: "#ed2637",
strokeWidth: 2
}
}
};
}
preinitialize() {
this.markup = util.svg`
<path @selector="line" />
`;
}
addRejectedLabel() {
this.appendLabel({
type: "rejected-label",
markup: util.svg`
<rect
x="-17" y="-17" width="34" height="34" fill="transparent"
data-tooltip="Rejected Alternative"
/>
<path
d="M -10 -10 0 10 M -2 -10 8 10" fill="none" stroke="#dde6ed" stroke-width="2"
pointer-events="none"
/>
`,
position: {
distance: rankSize / 3,
args: {
keepGradient: true
}
}
});
}
removeRejectedLabel() {
this.labels(
this.labels().filter((label) => label.type !== "rejected-label")
);
}
addStrategyLabel(strategy) {
this.appendLabel({
type: "strategy-label",
markup: util.svg`
<rect x="-17" y="-17" width="34" height="34" stroke="#dde6ed" fill="#131e29" rx="2" ry="2" />
<image data-tooltip="${strategy.name}" href="${strategy.icon}" x="-15" y="-15" width="30" height="30"/>
`,
position: {
distance: -rankSize / 4,
offset: -25
}
});
}
addOutcomeLabel(outcome) {
this.appendLabel({
type: "outcome-label",
markup: util.svg`
<text @selector="outcomeLabel" />
`,
attrs: {
outcomeLabel: {
text: `${outcome.name}\n${Math.round(outcome.chance * 100)}%`,
textVerticalAnchor: "middle",
textAnchor: "middle",
lineHeight: 25,
fontSize: 15,
fontFamily: "sans-serif",
fill: "#dde6ed"
}
},
position: {
distance: -rankSize / 4
}
});
}
}
const cellNamespace = {
DecisionMadeNode,
ChanceEventNode,
EndPointNode,
EndPointLabelNode,
Link
};
// Application code
// ----------------
const resultsEl = document.getElementById("results");
const cells = generateTreeCells(strategies, roundCount);
const graph = new dia.Graph({}, { cellNamespace });
const paper = new dia.Paper({
el: document.getElementById("paper"),
cellViewNamespace: cellNamespace,
width: "100%",
height: 2000,
model: graph,
async: true,
interactive: false,
sorting: dia.Paper.sorting.APPROX,
background: {
color: "transparent"
},
viewport: (view) => {
let cell = view.model;
switch (cell.get("type")) {
case "Link": {
// Show only the link if the target is visible
cell = cell.getTargetCell();
// EndPointLabel links are never visible
if (cell.get("type") === "EndPointLabelNode") return false;
break;
}
case "EndPointLabelNode": {
// Show only the label if the connected EndPointLabel is visible
[cell] = graph.getNeighbors(cell, { inbound: true });
break;
}
}
return !isNodeHidden(cell);
},
defaultRouter: (vertices) => {
const count = vertices.length;
return count > 0 ? [vertices[count - 1]] : vertices;
}
});
const tree = new layout.TreeLayout({
siblingGap: 40,
parentGap: 160,
graph,
direction: "R",
filter: (neighbors, node) => {
return neighbors.filter((neighbor) => !isNodeHidden(neighbor));
}
});
graph.resetCells(cells);
const [root] = graph.getSources();
results.addEventListener("change", () => run());
run();
const tooltip = new joint.ui.Tooltip({
rootTarget: document.body,
target: "[data-tooltip]",
direction: "auto",
padding: 10,
animation: true
});
// Functions
// ---------
function isNodeHidden(node) {
return !!node.get("hidden");
}
function runLayout({ results } = {}) {
graph.getElements().forEach((element) => {
element.set("hidden", false);
});
graph.getLinks().forEach((link) => {
link.removeRejectedLabel();
});
calculateOutcome(graph, root, { results });
// position most of the nodes
tree.layout();
const bbox = tree.getLayoutBBox();
// align the end point nodes vertically
graph.getElements().forEach((element) => {
if (element.get("type") !== "EndPointNode" || isNodeHidden(element)) return;
const { x, y, width, height } = element.getBBox();
const alignedX = bbox.x + bbox.width - rankSize / 2 - width - 10;
if (x === alignedX) return;
element.position(alignedX, y, {
// move the element along with its EndPointLabelNode
deep: true
});
});
}
// if the number contains 0.5 then it is a written using ½ symbol
function formatNumber(number) {
if (number === 0.5) {
return "½";
}
if (number % 1 === 0.5) {
return `${number - 0.5}½`;
}
return number;
}
function formatScore(score) {
const [a, b] = score;
return `${formatNumber(a)} vs. ${formatNumber(b)}`;
}
function generateTreeCells(strategies = [], roundCount = 3) {
const cells = [];
const root = new DecisionMadeNode({
score: [0, 0],
attrs: {
body: {
dataTooltip: `<b>Decision Made Node</b><br>Score: ${formatScore([
0,
0
])}`
}
}
});
const stack = [root];
while (stack.length > 0) {
const current = stack.pop();
cells.push(current);
strategies.forEach((strategy, index) => {
const chanceEventNode = new ChanceEventNode({
attrs: {
body: {
dataTooltip: `<b>Chance Event Node</b>`
}
}
});
const chanceEventLink = new Link({
source: { id: current.id, anchor: { name: "right", args: { dx: 5 } } },
target: {
id: chanceEventNode.id,
anchor: { name: "left", args: { dx: -5 } }
}
});
chanceEventLink.addStrategyLabel(strategy);
cells.push(chanceEventNode, chanceEventLink);
const [a, b] = current.get("score");
const outcomes = [
{
score: [a + 0.5, b + 0.5],
name: "Draw",
chance: strategy.draw
},
{
score: [a, b + 1],
name: "Lose",
chance: strategy.loose
},
{
score: [a + 1, b],
name: "Win",
chance: strategy.win
}
];
outcomes.forEach((outcome) => {
if (outcome.chance === 0) return;
const [oa, ob] = outcome.score;
const isTerminal =
oa + ob >= roundCount || oa > roundCount / 2 || ob > roundCount / 2;
let outcomeNode;
if (isTerminal) {
let result;
if (oa > ob) {
result = "Winner";
} else if (oa < ob) {
result = "Loser";
} else {
result = "Draw";
}
outcomeNode = new EndPointNode({
size: { width: nodeSize, height: nodeSize },
score: outcome.score,
chance: outcome.chance,
result,
attrs: {
body: {
dataTooltip: `<b>Endpoint Node</b>`
}
}
});
} else {
outcomeNode = new DecisionMadeNode({
size: { width: nodeSize, height: nodeSize },
score: outcome.score,
chance: outcome.chance,
attrs: {
body: {
dataTooltip: `<b>Decision Made Node</b><br>Score: ${formatScore(
outcome.score
)}`
}
}
});
}
const outcomeLink = new Link({
source: {
id: chanceEventNode.id,
anchor: { name: "right", args: { dx: 5 } }
},
target: {
id: outcomeNode.id,
anchor: { name: "left", args: { dx: -5 } }
},
attrs: {
line: {
strokeDasharray: "5 5"
}
}
});
outcomeLink.addOutcomeLabel(outcome);
cells.push(outcomeNode, outcomeLink);
if (!isTerminal) {
// Add the outcome to the stack for the next iteration
stack.push(outcomeNode);
} else {
// Add the end point label
const endPointLabelNode = new EndPointLabelNode({
offset: -rankSize + 50
});
const endPointLabelLink = new Link({
source: {
id: outcomeNode.id,
anchor: { name: "right", args: { dx: 5 } }
},
target: {
id: endPointLabelNode.id,
anchor: { name: "left", args: { dx: -5 } }
}
});
// Embed the label so it moves along with the outcome node
outcomeNode.embed(endPointLabelNode);
cells.push(endPointLabelNode, endPointLabelLink);
}
});
});
}
return cells;
}
function calculateOutcome(
graph,
node,
{ results = ["Winner"], value = 1000 } = {}
) {
if (isNodeHidden(node)) return;
let outcome;
if (node.get("type") !== "EndPointNode") {
let neighbors = graph.getNeighbors(node, { outbound: true });
neighbors.forEach((neighbor) => {
calculateOutcome(graph, neighbor, { value, results });
});
neighbors = neighbors.filter((neighbor) => !isNodeHidden(neighbor));
if (neighbors.length === 0) {
node.set("hidden", true);
return;
}
if (node.get("type") === "ChanceEventNode") {
const outcomes = neighbors.map(
(neighbor) => neighbor.get("value") * neighbor.get("chance")
);
outcome = outcomes.reduce((acc, outcome) => acc + outcome, 0);
} else {
const outcomes = neighbors.map((neighbor) => neighbor.get("value"));
outcome = Math.max(...outcomes);
const rejectedNeighbors = neighbors.filter(
(neighbor) => neighbor.get("value") < outcome
);
rejectedNeighbors.forEach((neighbor) => {
const [link] = graph.getConnectedLinks(neighbor, { inbound: true });
link.addRejectedLabel();
});
}
} else {
const result = node.get("result");
if (results.length > 0 && !results.includes(result)) {
node.set("hidden", true);
return;
}
const [labelNode] = graph.getNeighbors(node, { outbound: true });
labelNode.attr(
"label/text",
`${node.get("result")}\n${formatScore(node.get("score"))}`
);
switch (result) {
case "Winner":
outcome = value;
break;
case "Loser":
outcome = 0;
break;
case "Draw":
outcome = value / 2;
break;
}
}
node.set("value", outcome);
node.attr("label/text", `$${Math.round(outcome)}`);
}
// Set the size of the paper to fit the graph
function resizePaper(paper, contentArea) {
const { offsetHeight, offsetWidth } = document.body;
const height = Math.max(
(offsetWidth / contentArea.width) * contentArea.height,
offsetHeight
);
paper.setDimensions("100%", height);
paper.scaleContentToFit({ contentArea });
}
function run() {
const inputs = Array.from(resultsEl.querySelectorAll("input"));
const results = inputs
.filter((input) => input.checked)
.map((input) => input.name);
runLayout({ results });
resizePaper(paper, tree.getLayoutBBox().inflate(100));
}
Also see: Tab Triggers