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.
<meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=1, minimum-scale=1, user-scalable=no">
<input type="text" id="input" placeholder="type whatever" value="#countdown" title="type and press enter" />
<!--
Commands:
#clear
#explode
#queue
#countdown
#galaxy
#ring
-->
#input {
position: absolute;
bottom: 10px;
left: 50%;
width: 8em;
max-width: 80%;
background: none;
border: none;
outline: none;
border-bottom: 2px solid #fff;
color: #fff;
font-size: 3em;
text-align: center;
z-index: 999;
opacity: .25;
transform: translateX(-50%);
transition: opacity .3s;
&:hover,
&:focus {
opacity: 1;
}
}
body {
position: fixed;
top: 0;
left: 0;
width: 100%;
height: 100%;
margin: 0;
padding: 0;
user-select: none;
}
const STEP_LENGTH = 1;
const CELL_SIZE = 10;
const BORDER_WIDTH = 2;
const MAX_FONT_SIZE = 500;
const MAX_ELECTRONS = 100;
const CELL_DISTANCE = CELL_SIZE + BORDER_WIDTH;
// shorter for brighter paint
// be careful of performance issue
const CELL_REPAINT_INTERVAL = [
300, // from
500, // to
];
const BG_COLOR = '#1d2227';
const BORDER_COLOR = '#13191f';
const CELL_HIGHLIGHT = '#328bf6';
const ELECTRON_COLOR = '#00b07c';
const FONT_COLOR = '#ff5353';
const FONT_FAMILY = 'Helvetica, Arial, "Hiragino Sans GB", "Microsoft YaHei", "WenQuan Yi Micro Hei", sans-serif';
const DPR = window.devicePixelRatio || 1;
const ACTIVE_ELECTRONS = [];
const PINNED_CELLS = [];
const MOVE_TRAILS = [
[0, 1], // down
[0, -1], // up
[1, 0], // right
[-1, 0], // left
].map(([x, y]) => [x * CELL_DISTANCE, y * CELL_DISTANCE]);
const END_POINTS_OFFSET = [
[0, 0], // left top
[0, 1], // left bottom
[1, 0], // right top
[1, 1], // right bottom
].map(([x, y]) => [
x * CELL_DISTANCE - BORDER_WIDTH / 2,
y * CELL_DISTANCE - BORDER_WIDTH / 2,
]);
class FullscreenCanvas {
constructor(disableScale = false) {
const canvas = document.createElement('canvas');
const context = canvas.getContext('2d');
this.canvas = canvas;
this.context = context;
this.disableScale = disableScale;
this.resizeHandlers = [];
this.handleResize = _.debounce(this.handleResize.bind(this), 100);
this.adjust();
window.addEventListener('resize', this.handleResize);
}
adjust() {
const {
canvas,
context,
disableScale,
} = this;
const {
innerWidth,
innerHeight,
} = window;
this.width = innerWidth;
this.height = innerHeight;
const scale = disableScale ? 1 : DPR;
this.realWidth = canvas.width = innerWidth * scale;
this.realHeight = canvas.height = innerHeight * scale;
canvas.style.width = `${innerWidth}px`;
canvas.style.height = `${innerHeight}px`;
context.scale(scale, scale);
}
clear() {
const { context } = this;
context.clearRect(0, 0, this.width, this.height);
}
makeCallback(fn) {
fn(this.context, this);
}
blendBackground(background, opacity = 0.05) {
return this.paint((ctx, { realWidth, realHeight, width, height }) => {
ctx.globalCompositeOperation = 'source-over';
ctx.globalAlpha = opacity;
ctx.drawImage(background, 0, 0, realWidth, realHeight, 0, 0, width, height);
});
}
paint(fn) {
if (!_.isFunction(fn)) return;
const { context } = this;
context.save();
this.makeCallback(fn);
context.restore();
return this;
}
repaint(fn) {
if (!_.isFunction(fn)) return;
this.clear();
return this.paint(fn);
}
onResize(fn) {
if (!_.isFunction(fn)) return;
this.resizeHandlers.push(fn);
}
handleResize() {
const { resizeHandlers } = this;
if (!resizeHandlers.length) return;
this.adjust();
resizeHandlers.forEach(this.makeCallback.bind(this));
}
renderIntoView(target = document.body) {
const { canvas } = this;
this.container = target;
canvas.style.position = 'absolute';
canvas.style.left = '0px';
canvas.style.top = '0px';
target.appendChild(canvas);
}
remove() {
if (!this.container) return;
try {
window.removeEventListener('resize', this.handleResize);
this.container.removeChild(this.canvas);
} catch (e) {}
}
}
class Electron {
constructor(
x = 0,
y = 0,
{
lifeTime = 3 * 1e3,
speed = STEP_LENGTH,
color = ELECTRON_COLOR,
} = {}
) {
this.lifeTime = lifeTime;
this.expireAt = Date.now() + lifeTime;
this.speed = speed;
this.color = color;
this.radius = BORDER_WIDTH / 2;
this.current = [x, y];
this.visited = {};
this.setDest(this.randomPath());
}
randomPath() {
const {
current: [x, y],
} = this;
const { length } = MOVE_TRAILS;
const [deltaX, deltaY] = MOVE_TRAILS[_.random(length - 1)];
return [
x + deltaX,
y + deltaY,
];
}
composeCoord(coord) {
return coord.join(',');
}
hasVisited(dest) {
const key = this.composeCoord(dest);
return this.visited[key];
}
setDest(dest) {
this.destination = dest;
this.visited[this.composeCoord(dest)] = true;
}
next() {
let {
speed,
current,
destination,
} = this;
if (Math.abs(current[0] - destination[0]) <= speed / 2 &&
Math.abs(current[1] - destination[1]) <= speed / 2
) {
destination = this.randomPath();
let tryCnt = 1;
const maxAttempt = 4;
while (this.hasVisited(destination) && tryCnt <= maxAttempt) {
tryCnt++;
destination = this.randomPath();
}
this.setDest(destination);
}
const deltaX = destination[0] - current[0];
const deltaY = destination[1] - current[1];
if (deltaX) {
current[0] += (deltaX / Math.abs(deltaX) * speed);
}
if (deltaY) {
current[1] += (deltaY / Math.abs(deltaY) * speed);
}
return [...this.current];
}
paintNextTo(layer = new FullscreenCanvas()) {
const {
radius,
color,
expireAt,
lifeTime,
} = this;
const [x, y] = this.next();
layer.paint(ctx => {
ctx.globalAlpha = Math.max(0, expireAt - Date.now()) / lifeTime;
ctx.fillStyle = color;
ctx.shadowColor = color;
ctx.shadowBlur = radius * 5;
ctx.globalCompositeOperation = 'lighter';
ctx.beginPath();
ctx.arc(x, y, radius, 0, Math.PI * 2);
ctx.closePath();
ctx.fill();
});
}
}
class Cell {
constructor(
row = 0,
col = 0,
{
electronCount = _.random(1, 4),
background = ELECTRON_COLOR,
forceElectrons = false,
electronOptions = {},
} = {},
) {
this.background = background;
this.electronOptions = electronOptions;
this.forceElectrons = forceElectrons;
this.electronCount = Math.min(electronCount, 4);
this.startY = row * CELL_DISTANCE;
this.startX = col * CELL_DISTANCE;
}
delay(ms = 0) {
this.pin(ms * 1.5);
this.nextUpdate = Date.now() + ms;
}
pin(lifeTime = -1 >>> 1) {
this.expireAt = Date.now() + lifeTime;
PINNED_CELLS.push(this);
}
scheduleUpdate(
t1 = CELL_REPAINT_INTERVAL[0],
t2 = CELL_REPAINT_INTERVAL[1],
) {
this.nextUpdate = Date.now() + _.random(t1, t2);
}
paintNextTo(layer = new FullscreenCanvas()) {
const {
startX,
startY,
background,
nextUpdate,
} = this;
if (nextUpdate && Date.now() < nextUpdate) return;
this.scheduleUpdate();
this.createElectrons();
layer.paint(ctx => {
ctx.globalCompositeOperation = 'lighter';
ctx.fillStyle = background;
ctx.fillRect(startX, startY, CELL_SIZE, CELL_SIZE);
});
}
popRandom(arr = []) {
const ramIdx = _.random(arr.length - 1);
return arr.splice(ramIdx, 1)[0];
}
createElectrons() {
const {
startX,
startY,
electronCount,
electronOptions,
forceElectrons,
} = this;
if (!electronCount) return;
const endpoints = [...END_POINTS_OFFSET];
const max = forceElectrons ? electronCount : Math.min(electronCount, MAX_ELECTRONS - ACTIVE_ELECTRONS.length);
for (let i = 0; i < max; i++) {
const [offsetX, offsetY] = this.popRandom(endpoints);
ACTIVE_ELECTRONS.push(new Electron(
startX + offsetX,
startY + offsetY,
electronOptions,
));
}
}
}
const bgLayer = new FullscreenCanvas();
const mainLayer = new FullscreenCanvas();
const shapeLayer = new FullscreenCanvas(true);
function stripOld(limit = 1000) {
const now = Date.now();
for (let i = 0, max = ACTIVE_ELECTRONS.length; i < max; i++) {
const e = ACTIVE_ELECTRONS[i];
if (e.expireAt - now < limit) {
ACTIVE_ELECTRONS.splice(i, 1);
i--;
max--;
}
}
}
function createRandomCell(options = {}) {
if (ACTIVE_ELECTRONS.length >= MAX_ELECTRONS) return;
const { width, height } = mainLayer;
const cell = new Cell(
_.random(height / CELL_DISTANCE),
_.random(width / CELL_DISTANCE),
options,
);
cell.paintNextTo(mainLayer);
}
function drawGrid() {
bgLayer.paint((ctx, { width, height }) => {
ctx.fillStyle = BG_COLOR;
ctx.fillRect(0, 0, width, height);
ctx.fillStyle = BORDER_COLOR;
// horizontal lines
for (let h = CELL_SIZE; h < height; h += CELL_DISTANCE) {
ctx.fillRect(0, h, width, BORDER_WIDTH);
}
// vertical lines
for (let w = CELL_SIZE; w < width; w += CELL_DISTANCE) {
ctx.fillRect(w, 0, BORDER_WIDTH, height);
}
});
}
function iterateItemsIn(list) {
const now = Date.now();
for (let i = 0, max = list.length; i < max; i++) {
const item = list[i];
if (now >= item.expireAt) {
list.splice(i, 1);
i--;
max--;
} else {
item.paintNextTo(mainLayer);
}
}
}
function drawItems() {
iterateItemsIn(PINNED_CELLS);
iterateItemsIn(ACTIVE_ELECTRONS);
}
let nextRandomAt;
function activateRandom() {
const now = Date.now();
if (now < nextRandomAt) {
return;
}
nextRandomAt = now + _.random(300, 1000);
createRandomCell();
}
function handlePointer() {
let lastCell = [];
let touchRecords = {};
function isSameCell(i, j) {
const [li, lj] = lastCell;
lastCell = [i, j];
return i === li && j === lj;
};
function print(isMove, { clientX, clientY }) {
const i = Math.floor(clientY / CELL_DISTANCE);
const j = Math.floor(clientX / CELL_DISTANCE);
if (isMove && isSameCell(i, j)) {
return;
}
const cell = new Cell(i, j, {
background: CELL_HIGHLIGHT,
forceElectrons: true,
electronCount: isMove ? 2 : 4,
electronOptions: {
speed: 3,
lifeTime: isMove ? 500 : 1000,
color: CELL_HIGHLIGHT,
},
});
cell.paintNextTo(mainLayer);
}
const handlers = {
touchend({ changedTouches }) {
if (changedTouches) {
Array.from(changedTouches).forEach(({ identifier }) => {
delete touchRecords[identifier];
});
} else {
touchRecords = {};
}
},
};
function filterTouches(touchList) {
return Array.from(touchList).filter(({ identifier, clientX, clientY }) => {
const rec = touchRecords[identifier];
touchRecords[identifier] = { clientX, clientY };
return !rec || clientX !== rec.clientX || clientY !== rec.clientY;
});
}
[
'mousedown',
'touchstart',
'mousemove',
'touchmove',
].forEach(name => {
const isMove = /move/.test(name);
const isTouch = /touch/.test(name);
const fn = print.bind(null, isMove);
handlers[name] = function handler(evt) {
if (isTouch) {
filterTouches(evt.touches).forEach(fn);
} else {
fn(evt);
}
};
});
const events = Object.keys(handlers);
events.forEach(name => {
document.addEventListener(name, handlers[name]);
});
return function unbind() {
events.forEach(name => {
document.removeEventListener(name, handlers[name]);
});
};
}
function prepaint() {
drawGrid();
mainLayer.paint((ctx, { width, height }) => {
// composite with rgba(255,255,255,255) to clear trails
ctx.fillStyle = '#fff';
ctx.fillRect(0, 0, width, height);
});
mainLayer.blendBackground(bgLayer.canvas, 0.9);
}
function render() {
mainLayer.blendBackground(bgLayer.canvas);
drawItems();
activateRandom();
shape.renderID = requestAnimationFrame(render);
}
const shape = {
lastText: '',
lastMatrix: null,
renderID: undefined,
isAlive: false,
get electronOptions() {
return {
speed: 2,
color: FONT_COLOR,
lifeTime: _.random(300, 500),
};
},
get cellOptions() {
return {
background: FONT_COLOR,
electronCount: _.random(1, 4),
electronOptions: this.electronOptions,
};
},
get explodeOptions() {
return Object.assign(this.cellOptions, {
electronOptions: Object.assign(this.electronOptions, {
lifeTime: _.random(500, 1500),
}),
});
},
init(container = document.body) {
if (this.isAlive) {
return;
}
bgLayer.onResize(drawGrid);
mainLayer.onResize(prepaint);
mainLayer.renderIntoView(container);
shapeLayer.onResize(() => {
if (this.lastText) {
this.print(this.lastText);
}
});
prepaint();
render();
this.unbindEvents = handlePointer();
this.isAlive = true;
},
clear() {
const {
lastMatrix,
} = this;
this.lastText = '';
this.lastMatrix = null;
PINNED_CELLS.length = 0;
if (lastMatrix) {
this.explode(lastMatrix);
}
},
destroy() {
if (!this.isAlive) {
return;
}
bgLayer.remove();
mainLayer.remove();
shapeLayer.remove();
this.unbindEvents();
cancelAnimationFrame(this.renderID);
ACTIVE_ELECTRONS.length = PINNED_CELLS.length = 0;
this.lastMatrix = null;
this.lastText = '';
this.isAlive = false;
},
getTextMatrix(
text,
{
fontWeight = 'bold',
fontFamily = FONT_FAMILY,
} = {},
) {
const {
width,
height,
} = shapeLayer;
shapeLayer.repaint((ctx) => {
ctx.textAlign = 'center';
ctx.textBaseline = 'middle';
ctx.font = `${fontWeight} ${MAX_FONT_SIZE}px ${fontFamily}`;
const scale = width / ctx.measureText(text).width;
const fontSize = Math.min(MAX_FONT_SIZE, MAX_FONT_SIZE * scale * 0.8);
ctx.font = `${fontWeight} ${fontSize}px ${fontFamily}`;
ctx.fillText(text, width / 2, height / 2);
});
const pixels = shapeLayer.context.getImageData(0, 0, width, height).data;
const matrix = [];
for (let i = 0; i < height; i += CELL_DISTANCE) {
for (let j = 0; j < width; j += CELL_DISTANCE) {
const alpha = pixels[(j + i * width) * 4 + 3];
if (alpha > 0) {
matrix.push([
Math.floor(i / CELL_DISTANCE),
Math.floor(j / CELL_DISTANCE),
]);
}
}
}
return matrix;
},
print(text, options) {
const isBlank = !!this.lastText;
this.clear();
if (text !== 0 && !text) {
if (isBlank) {
// release
this.spiral({
reverse: true,
lifeTime: 500,
electronCount: 2,
});
}
return;
}
this.spiral();
this.lastText = text;
const matrix = this.lastMatrix = _.shuffle(this.getTextMatrix(text, options));
matrix.forEach(([i, j]) => {
const cell = new Cell(i, j, this.cellOptions);
cell.scheduleUpdate(200);
cell.pin();
});
},
spiral({
radius,
increment = 0,
reverse = false,
lifeTime = 250,
electronCount = 1,
forceElectrons = true,
} = {}) {
const {
width,
height,
} = mainLayer;
const cols = Math.floor(width / CELL_DISTANCE);
const rows = Math.floor(height / CELL_DISTANCE);
const ox = Math.floor(cols / 2);
const oy = Math.floor(rows / 2);
let cnt = 1;
let deg = _.random(360);
let r = radius === undefined ? Math.floor(Math.min(cols, rows) / 3) : radius;
const step = reverse ? 15 : -15;
const max = Math.abs(360 / step);
while (cnt <= max) {
const i = oy + Math.floor(r * Math.sin(deg / 180 * Math.PI));
const j = ox + Math.floor(r * Math.cos(deg / 180 * Math.PI));
const cell = new Cell(i, j, {
electronCount,
forceElectrons,
background: CELL_HIGHLIGHT,
electronOptions: {
lifeTime,
speed: 3,
color: CELL_HIGHLIGHT,
},
});
cell.delay(cnt * 16);
cnt++;
deg += step;
r += increment;
}
},
explode(matrix) {
stripOld();
if (matrix) {
const { length } = matrix;
const max = Math.min(
50,
_.random(Math.floor(length / 20), Math.floor(length / 10)),
);
for (let idx = 0; idx < max; idx++) {
const [i, j] = matrix[idx];
const cell = new Cell(i, j, this.explodeOptions);
cell.paintNextTo(mainLayer);
}
} else {
const max = _.random(10, 20);
for (let idx = 0; idx < max; idx++) {
createRandomCell(this.explodeOptions);
}
}
},
};
let timer;
function queue() {
const text = 'BBAE';
let i = 0;
const max = text.length;
const run = () => {
if (i >= max) return;
shape.print(text.slice(0, ++i));
timer = setTimeout(run, 1e3 + i);
};
run();
}
function countdown() {
const arr = _.range(3, 0, -1);
let i = 0;
const max = arr.length;
const run = () => {
if (i >= max) {
shape.clear();
return galaxy();
}
shape.print(arr[i++]);
setTimeout(run, 1e3 + i);
};
run();
}
function galaxy() {
shape.spiral({
radius: 0,
increment: 1,
lifeTime: 100,
electronCount: 1,
});
timer = setTimeout(galaxy, 16);
}
function ring() {
shape.spiral();
timer = setTimeout(ring, 16);
}
document.getElementById('input').addEventListener('keypress', ({ keyCode, target }) => {
if (keyCode === 13) {
clearTimeout(timer);
const value = target.value.trim();
target.value = '';
switch (value) {
case '#destroy':
return shape.destroy();
case '#init':
return shape.init();
case '#explode':
return shape.explode();
case '#clear':
return shape.clear();
case '#queue':
return queue();
case '#countdown':
return countdown();
case '#galaxy':
shape.clear();
return galaxy();
case '#ring':
shape.clear();
return ring();
default:
return shape.print(value);
}
}
});
shape.init();
shape.print('BBAE');
// prevent zoom
document.addEventListener('touchmove', e => e.preventDefault());
Also see: Tab Triggers