Celtic Handpan
The soothing tones of a Celtic handpan are brought to life in this interactive demo, combining classes, p5.js, and the Quadrille API. Each note is represented as a dynamic cell that responds to presses with sound and color, creating a rich, sensory experience reminiscent of synesthesia. The tones are sourced from the Celtic Handpan Samples, licensed under WTFPL.
This demo showcases how JavaScript’s object-oriented programming powers the SoundCell
and NoteCell
class hierarchy, borrowed from the Inheritance chapter, alongside the Handpan
class. Using p5.js
for visuals and sound playback, it demonstrates the versatility of OOP principles in interactive design.
(press cells to play the handpan)
Code
let handpan; // Global variable to store the handpan object
// Base class representing a sound cell
class SoundCell {
constructor(name, sound) {
this.name = name; // Name of the sound (e.g., 'A3')
this.sound = sound; // Associated sound file
}
getName() {
return this.name; // Return the name of the sound
}
play() {
this.sound.play(); // Play the sound
}
stop() {
this.sound.stop(); // Stop the sound if it's playing
}
toggle() {
// Toggle between playing and stopping the sound
this.sound.isPlaying() ? this.sound.stop() : this.sound.play();
}
display(cellLength, outline, outlineWeight) {
// Visual representation of the cell
push();
noFill();
stroke(outline);
strokeWeight(outlineWeight);
ellipseMode(CORNER);
circle(0, 0, cellLength);
pop();
}
}
// Subclass that adds color and fade effects to SoundCell
class NoteCell extends SoundCell {
constructor(note, sound, color) {
super(note, sound); // Call the parent class constructor
this.color = color; // Cell color for visual effects
this.alpha = 0; // Transparency for fading effect
}
play() {
super.play(); // Play the sound
this.alpha = 255; // Set full opacity when played
}
display(cellLength, outline, outlineWeight) {
// Visual representation with fading effect
push();
if (this.sound.isPlaying()) {
const currentTime = this.sound.currentTime();
const duration = this.sound.duration();
this.alpha = map(currentTime, 0, duration, 255, 0); // Gradual fade-out
}
const hue = color(this.color);
hue.setAlpha(this.alpha); // Apply alpha transparency
noStroke();
fill(hue);
ellipseMode(CORNER);
circle(0, 0, cellLength); // Draw the cell
super.display(cellLength, outline, outlineWeight); // Call parent display
pop();
}
}
// Class representing the handpan quadrille
class Handpan extends Quadrille {
constructor(jaggedArray) {
super(jaggedArray); // Initialize the quadrille with a jagged array
}
play(row, col) {
const cell = this.read(row, col); // Access the cell at the given position
cell?.play(); // Play the sound if the cell exists
}
}
// Preload function to load sounds and create the handpan structure
function preload() {
const notes = ['A3', 'A4', 'B2', 'B3', 'B4',
'CSharp4', 'D4', 'E4', 'FSharp3', 'FSharp4']; // Note names
const colors = ['red', 'orange', 'yellow', 'lime', 'green',
'aqua', 'cyan', 'skyblue', 'blue', 'purple']; // Cell colors
const sounds = []; // Array to store NoteCell objects
// Create NoteCell objects for each note
notes.forEach((note, index) => {
const sound = loadSound(`/sounds/${note}.wav`); // Load sound file
const cellColor = colors[index]; // Get the corresponding color
// Add to the sounds array
sounds.push(new NoteCell(note, sound, cellColor));
});
// Define the jagged array structure of the handpan
const jaggedArray = [
[sounds[0], sounds[1], sounds[2], sounds[3]], // First row
[sounds[4], null, null, sounds[5]], // Second row with nulls
[sounds[6], sounds[7], sounds[8], sounds[9]] // Third row
];
handpan = new Handpan(jaggedArray); // Create the Handpan object
}
// Setup function to initialize the canvas
function setup() {
// Match canvas to quadrille dimensions
createCanvas(4 * Quadrille.cellLength, 3 * Quadrille.cellLength);
}
// Draw function to render the handpan on the canvas
function draw() {
background(0); // Clear the canvas with a black background
// Define how each cell should be displayed
const objectDisplay = ({ value, cellLength, outline, outlineWeight }) => {
// Use NoteCell's display method
value.display(cellLength, outline, outlineWeight);
};
// Draw the handpan quadrille
drawQuadrille(handpan, { tileDisplay: 0, objectDisplay });
}
// Mouse interaction to play the sound of the pressed cell
function mousePressed() {
const row = handpan.mouseRow; // Get the row pressed by the mouse
const col = handpan.mouseCol; // Get the column pressed by the mouse
handpan.play(row, col); // Play the corresponding sound
}
SoundCell and NoteCell Classes
The SoundCell
and NoteCell
classes are directly reused from the inheritance chapter without modification.
Handpan Class
The Handpan
class extends Quadrille
to organize and manage the grid of cells, providing functionality to play sounds from specific cells.
class Handpan extends Quadrille {
constructor(jaggedArray) {
// Call the parent class (Quadrille) constructor with the jagged array
super(jaggedArray);
}
play(row, col) {
// Read the cell at the specified row and column
const cell = this.read(row, col);
// Safely call the play() method on the cell if it is non-empty
cell?.play();
}
}
Quadrille
: The Handpan
class inherits the Quadrille
functionality, such as managing a jagged array and providing access to rows and columns, while adding interactivity with the play()
method.?.
operator ensures that the play()
method is only called if cell
is not null
or undefined
, preventing runtime errors.Preload
The preload()
function loads sound files, creates the NoteCell
objects for each note, and initializes the handpan
object as a jagged array of cells:
function preload() {
// Array of note names corresponding to sound files
const notes = ['A3', 'A4', 'B2', 'B3', 'B4',
'CSharp4', 'D4', 'E4', 'FSharp3', 'FSharp4'];
// Array of colors corresponding to each note
const colors = ['red', 'orange', 'yellow', 'lime', 'green',
'aqua', 'cyan', 'skyblue', 'blue', 'purple'];
const sounds = []; // Array to store NoteCell objects
// Helper function to create NoteCell objects
function addNoteCell(note, index) {
const sound = loadSound('/sounds/' + note + '.wav'); // Concatenate strings
const cellColor = colors[index]; // Get the corresponding color
sounds.push(new NoteCell(note, sound, cellColor)); // Add NoteCell to the array
}
// Iterate through the notes array using forEach
notes.forEach(addNoteCell);
// Define the jagged array structure for the handpan
const jaggedArray = [
[sounds[0], sounds[1], sounds[2], sounds[3]], // First row
[sounds[4], null, null, sounds[5]], // Second row with empty cells
[sounds[6], sounds[7], sounds[8], sounds[9]] // Third row
];
// Create the Handpan object with the jagged array
handpan = new Handpan(jaggedArray);
}
Draw
The draw()
function renders the handpan on the canvas by defining an objectDisplay function. This function leverages the display
method of the NoteCell
class to visually represent each cell. Additionally, the tileDisplay
is disabled by setting it to 0
since it’s not needed for this demo.
function draw() {
background(0); // Clear the canvas with a black background
// Define objectDisplay for visualizing NoteCell objects
const objectDisplay = ({ value, cellLength, outline, outlineWeight }) => {
// Call NoteCell's display method
value.display(cellLength, outline, outlineWeight);
};
// Draw the handpan grid using Quadrille's drawQuadrille function
drawQuadrille(handpan, { tileDisplay: 0, objectDisplay }); // Disable tileDisplay
}
Interaction
The mousePressed()
function handles user interaction by detecting the pressed cell on the handpan grid and playing the corresponding note.
function mousePressed() {
const row = handpan.mouseRow; // Get the row of the pressed cell
const col = handpan.mouseCol; // Get the column of the pressed cell
handpan.play(row, col); // Play the note at the specified cell
}
This setup allows users to explore the handpan’s dynamic notes by pressing its cells, which respond with sound and visual feedback.
Further Exploration
Here are some ideas to expand the project and take it in new directions:
- Experiment with other layouts and cell displays: Try arranging the cells in different patterns, such as circular, hexagonal, or diagonal layouts, and explore how this affects the musical experience.
- Enhance cell visuals: Add new visual effects to the cells, such as animations, gradients, or particle effects, to make the interaction more dynamic and visually appealing.
- Implement touch support: Adapt the demo for touch devices like tablets or phones. Consider integrating touch events (
touchStarted
ortouchEnded
) and optimizing for touch delay times to ensure responsiveness. - Add new instruments: Extend the demo by implementing other grid-based instruments. For example:
- Xylophone: Each cell could represent a bar on the xylophone, with different pitches.
- Drum Pad: Create a percussion-focused grid where each cell triggers a unique drum sound.
- Kalimba: Simulate a thumb piano by arranging the cells as “keys” with varying pitches.
- MIDI Controller: Combine sound loops or effects for live music creation using a grid-based device.
- Create a learning app: Build an educational tool to teach users about scales, chords, or rhythm patterns by highlighting cells and providing interactive feedback.
These exercises provide opportunities to deepen your understanding of programming audio/visual interaction design.
References
Quadrille API
- createQuadrille(jaggedArray)
- read(row, col)
- mouseRow
- mouseCol
- drawQuadrille(quadrille, options)
- Display Functions
p5 API
- createCanvas — Creates a drawing canvas on which all the 2D and 3D visuals are rendered in p5.js.
- push — Saves the current drawing state (e.g., styles, transformations) to the stack.
- pop — Restores the most recently saved drawing state from the stack.
- map — Re-maps a number from one range to another, often used to scale values for visual or interactive elements.
- noFill — Disables filling geometry shapes with color.
- fill — Sets the fill color for shapes drawn after this function is called.
- stroke — Sets the outline (stroke) color for shapes drawn after this function is called.
- strokeWeight — Sets the width of the stroke used for lines and shape outlines.
- ellipseMode — Changes the way the parameters of ellipse shapes are interpreted (e.g., center, corner).
- circle — Draws a circle at a specified location and diameter.
- loadSound — Loads an external sound file for playback in the sketch.
- mousePressed
Further Reading
- Handpan — Learn more about the instrument.
- Celtic Handpan Samples — The source of the tones used in this demo.
- JavaScript Template Literals —
- p5.js Sound Library — Official documentation for the sound library.