Package Exports
- indom
Readme
- 3.8KB modern JavaScript DOM library - powerful, easy and automates cleanup 


Lightweight: Only 3.8KB gzipped – adds minimal overhead.
Intuitive DOM Toolkit: Comprehensive API with single-instance objects per element – eliminating duplication and boosting performance for element selection, manipulation, traversal, event handling and more.
Modern JavaScript: Built with ES2022, empowers clean and maintainable code.
Powerful Cleanup: State (event listeners, data, etc.) automatically removed when elements are destroyed. Leak-proof by design, no need for manual cleanup to avoid memory leaks.
Stack Agnostic: Set events with InDom, remove elements with any library (an older JS DOM library, a large JS framework, etc.) – cleanup still happens automatically. This allows gradual adoption of InDom at any pace.
Fast & Dependency-Free: Optimized for performance with zero external dependencies.
Modern Browser Support: Compatible with all modern browsers.
Auto-Typed Field IO: One-line get / set for any input—checkbox arrays, multi-select, files, radios etc. No need for manual branching.
Smart Value Harvester: Turns any container into a plain object of field values—single call, auto-typed, with dynamic-name grouping and zero config.
Three Distribution Formats: Plain JavaScript, ES modules, and TypeScript.
First-class TypeScript: ES2022-compatible type definitions included in
/dist, source code in/src.
Table of Contents
Getting Started
API Reference
Shortcuts | getOne → $1 | get → $a | getById → $id | new InDom → $n | onReady
getValue | getValues → $v | setValue
on (onClick , onEnter etc.) | onRemove | off
getElement / el | remove | is | getParent | getSelfOrParent | getNext | getPrev | append | prepend | after | before | setHtml | getHtml
setData | getData | hasData | removeData | setAttr | getAttr | hasAttr | removeAttr
getBox | getOuterBox | getRelativeBox | addClass | hasClass | removeClass | setStyle | getStyle
InDomArray inherited methods | each | filter
Usage Info
Plain JavaScript | ES Modules | TypeScript
Additional Topics
Browser Support | Extend / Modify InDom | Contribute | Special Thanks
Getting Started
Download:
| Distribution Format | File | Description | jsDelivr | unpkg |
|---|---|---|---|---|
| Plain JavaScript | dist/indom.js | library build | link | link |
| Plain JavaScript | dist/indom.min.js | minified build | link | link |
| ES Modules | dist/indom.esm.js | library build | link | link |
| ES Modules | dist/indom.esm.min.js | minified build | link | link |
| TypeScript | dist/indom.d.ts | type definitions | link | link |
| TypeScript | src/indom.ts | TypeScript source |
Install:
npm install indomNote:
You can find more information about InDom usage for your specific distribution format in 'Usage Info': Plain JavaScript, ES Modules, TypeScript
API
Shortcuts
The convenience shortcuts ($1, $a, $id, $n, $v) are optional and can be renamed, scoped differently, or omitted entirely according to your preference. In the ES Modules and TypeScript distribution formats, you can simply choose not to import them, or import them under different names.
InDom.getOne(selector, container?)
Shortcut: $1
Queries the DOM using the CSS selector and returns an InDom object that contains the matching DOM element.
Returns null if no matching element is found.
Parameters:
selector{string} - CSS selector stringcontainer{ParentNode | InDom} (optional) - The container element or InDom object to search within. Defaults todocument.
Returns: {InDom | null} - InDom object, or null when not found
Examples:
$1('.example>div').setStyle('color', 'blue');
/*
If .example>div doesn't match any element, $1('.example>div') will return null.
Attempting to call a method on null will result in a TypeError.
If you want to avoid this error when the element is not found,
use the optional chaining operator (?.) e.g.:
*/
$1('.example>div')?.setStyle('color', 'blue');
$1('.example>div').onClick(n => {
//n here is the InDom object
n.addClass('clicked').setStyle({ 'color': 'red', 'font-size': '120%' });
});
// Set style to the first 'span', of the first '.example>div'
$1('span', $1('.example>div')).setStyle('color', 'green');
//or:
const div = $1('.example>div');
$1('span', div).setStyle('color', 'green');InDom.get(selector, container?)
Shortcut: $a
Queries the DOM using the CSS selector and returns an InDomArray of InDom objects for each matching DOM element.
Returns an empty InDomArray if no matching elements are found.
Parameters:
selector{string} - CSS selector stringcontainer{ParentNode | InDom} (optional) - The container element or InDom object to search within. Defaults todocument.
Returns: {InDomArray} - InDomArray object, empty when none found
Examples:
// Set style on every '.example'
$a('.example').setStyle('color', 'blue');
// Set click event on every '.example>span'
$a('.example>span').onClick(n => {
n.setStyle('color','green');
});
// The same, written as a single-line arrow function:
$a('.example>span').onClick(n => n.setStyle('color', 'green'));
const example1 = $1('.example');
//Set data 'init': 1 on direct children 'div' of the first '.example'
$a('>div', example1).setData('init', 1);
//InDomArray objects themselves don't have get* methods
//Get the left and top of each '.example>div' relative to viewport
$a('.example>div').each(n => {
// .getBox() returns the bounding box
const box = n.getBox();
console.log(`left:${box.left} top:${box.top}`);
});InDom.getById(id)
Shortcut: $id
Fetches the element with the specified ID and returns an InDom object that contains it.
Returns null if no element with the given ID is found.
Parameters:
id{string} - The ID of the element to fetch
Returns: {InDom | null} - InDom object, or null when not found
Examples:
// You could get the InDom object by its ID using the general selector method:
const example1 = $1("#test");
// But it's more efficient, especially in HTML documents with many DOM elements,
// to get it directly by ID:
const example2 = $id("test");
new InDom(source)
Shortcut: $n
Creates a new InDom object from a given underlying DOM element or an HTML string representing one DOM element.
Parameters:
source{Document | Element | string} - DOM Element or HTML string of a DOM element
Returns: {InDom} - New InDom object or an existing one (if one already exists for the given source element).
Throws:
TypeError- If the source is not a valid DOM Element, the document or HTML string of one DOM Element
Note:
If source is a string, it’s parsed as HTML. Sanitize untrusted strings before passing them.
Examples:
// Example 1
const img2 = $n(
'<img src="example-star.png" alt="second star image example" width="50" height="50">');
$1('.img-example-2').append(img2);
// Example 2
const container = $id('img-container');
const btn = $1('>.btn', container);
/** @type {InDom} */
let img;
// Define the click handler for the button (no need for the InDom object
// or the event arguments here).
// It either loads an image for the first time or toggles the image source
// on subsequent clicks.
btn.onClick(() => {
// Image has not been loaded/created yet
if (!img) {
// Check if an image load is already in progress to prevent duplicate requests.
if (btn.getData('loading') === 1) {
btn.setHtml('the image is loading...');
// Exit the handler early as no further action is needed.
return;
}
// Create a native HTML Image object.
const imgEl = new Image();
// Define the callback for when the image finishes loading successfully.
imgEl.onload = () => {
// Wrap the loaded native image element in an InDom object
img = $n(imgEl);
img.setAttr('alt', 'a star image example');
// Append the InDom-wrapped image to the container element.
container.append(img);
btn.setData('loading', 0).setHtml('change img');
};
// Configure the image source and initial properties.
imgEl.src = 'example-star.png';
imgEl.width = 50;
imgEl.height = 50;
// Set a flag on the button to indicate that an image load is now in progress.
btn.setData('loading', 1);
// Exit the handler as the load process has started.
// Note: A production implementation should also handle img.onerror etc.
return;
}
// Image already exists, toggle its source
// Check the current src to determine which image to switch to.
if (img.getAttr('src') == "example-cloud.png") {
// If it's currently showing the 'cloud' image, switch to the 'star' image.
img.setAttr('src', 'example-star.png')
.setAttr('alt', 'a star image example');
// Exit after that
return;
}
// It is a 'star', switch to the 'cloud' image.
img.setAttr('src', 'example-cloud.png')
.setAttr('alt', 'a cloud image example');
return;
});
// Notice
const test1 = $n('<div><span>one single parent element</span></div>');
// will work , but:
try {
const test2 =
$n('<div><span>div 1</span></div><div><span>div 2</span></div>');
// will throw a TypeError because you can create one InDom object only for one element
}
catch (e) {
console.log(e);
}
// in case you need to insert multiple elements set the HTML of the parent element
// or append / prepend HTML to it , and then get the InDom object you want: e.g.
$1('.example>div')
.setHtml('<div><span>div 1</span></div><div><span>div 2</span></div>');
const test3 = $1('.example>div>div:nth-child(2)');
test3.setStyle('color', 'blue');
//InDom objects are created only once for the same DOM element
const a = $1('.example');
const b = $1('.example');
if (a === b) {
console.log('it\'s the same object');
}InDom.onReady(fn)
Registers a function to execute when DOM is ready (or immediately if already ready).
Parameters:
fn{() => void} - Function to execute
Throws:
TypeError- Iffnhandler is not a function
Examples:
// If the JavaScript file (containing InDom) is loaded and executed before the HTML DOM
// content is fully parsed, attempting to select elements immediately might fail because
// they don't exist yet. Additionally, adding event listeners to elements that haven't
// been parsed yet will also fail. Use the InDom.onReady() function to ensure your code
// runs only after the DOM is fully loaded and ready.
InDom.onReady(() => {
// Safe to use InDom for querying DOM elements and attach event listeners here
$1('.example').addClass('on');
});.getValue(container?)
Available on: InDom
Returns the current value of the element, normalized for its type.
- Single value inputs (
input,textarea, etc.): string ornull. select(single): string ornull.select(multiple): array of selected values or empty array.input[type=checkbox](same name group): array of checked values.input[type=radio](same name group): string of the checked value ornull.input[type=file](single or multiple):FileListobject (zero or more files).
Parameters:
container{Document | Element | InDom} (optional) - Scope for checkbox and radio group lookups. When provided, only searches within this container for related elements. Defaults todocument.
Returns: {string | string[] | FileList | null} - string for single values, array for multiple/select, FileList for file inputs, null when no selection or the element lacks a value property
Throws:
Error- If the underlying element has been removed
Examples:
<div class="input-examples">
<div><input type="text" name="username" value=""></div>
</div>view full HTML
<div class="input-examples">
<div><input type="text" name="username" value=""></div>
<div><textarea name="message"></textarea></div>
<div>
<select name="color">
<option value="red">Red</option>
<option value="green" selected>Green</option>
<option value="blue">Blue</option>
</select>
</div>
<div>
<select name="size" multiple>
<option value="s">Small</option>
<option value="m">Medium</option>
<option value="l">Large</option>
</select>
</div>
<div>
<input type="radio" name="payment" value="credit" id="credit">
<label for="credit">Credit Card</label>
<input type="radio" name="payment" value="debit" id="debit">
<label for="debit">Debit Card</label>
<input type="radio" name="payment" value="paypal" id="paypal">
<label for="paypal">PayPal</label>
</div>
<div>
<input type="checkbox" name="features" value="wifi" id="wifi">
<label for="wifi">WiFi</label>
<input type="checkbox" name="features" value="bluetooth" id="bluetooth">
<label for="bluetooth">Bluetooth</label>
<input type="checkbox" name="features" value="gps" id="gps">
<label for="gps">GPS</label>
</div>
<div>
<input type="file" name="documents" multiple accept=".pdf,.doc,.docx">
</div>
</div>const container = $1('.input-examples');
// Iterate through each direct div child of the container.
$a('>div', container).each(div => {
// Find the first child element within the current div.
// Based on the HTML structure, this is the actual field input/textarea/select/etc.
const field = $1('>*', div);
// Create a button
const btn = $n("<span class='btn'>log value</span>");
// Append the button to the current div so it sits next to the field.
div.append(btn);
// Attach a click event listener to the button.
btn.onClick(() => {
// When the button is clicked, log the field's name and its current value.
console.log(`name: ${field.getAttr("name")} value:`);
// Call the getValue() method on the field and log the result.
// The output will vary based on the type of field and its current state.
console.log(field.getValue());
});
/*
Expected outputs based on initial HTML state:
- input "username" -> string
- textarea "message" -> string
- select "color" -> string (selected color)
- select "size" multiple -> array of strings (selected sizes), empty if none selected
- radio "payment" -> string (selected payment), null if none selected
- checkbox "features" -> array of strings (selected features), empty if none selected
- file "documents" -> FileList object, empty if none selected with .length 0
*/
});InDom.getValues(...args?)
Shortcut: $v
Returns a plain object with field names as keys and their getValue() results as values.
- one call → all document field's values as JS object.
- checkbox groups / multiple selects become arrays automatically
- duplicate names in different forms / sections → add a container argument
- dynamic fields (name_34, name_65) → auto-group under name:{'34':'Alice','65':'Bob'}
Parameters:
- ...args {string | string[] | InDom} (optional) - Field names (rest or array) or an InDom object as last arg to limit scope
Returns: {Object} - map of field names to their current values
Throws:
TypeError- If a given field name is not a non-empty string
Examples:
// every input/textarea/select field in document
let o = $v();
console.log(o);
//{"username":"Alice","message":"","color":"blue","size":["s","m"],"payment":null,
//"features":["wifi","gps"]...}
// every field inside first .input-examples
o = $v($1('.input-examples'));
console.log(o);
//{"username":"Alice","message":"","size":["s","m"],"payment":null,"features":[]...}
// only username + features (whole document)
o = $v('username','features');
console.log(o);
//{"username":"Alice","features":["wifi","gps"]}
// only username + features (inside first .input-examples)
o = $v('username','features',$1('.input-examples'));
console.log(o);
//{"username":"Alice","features":[]}
// the same as $v(["username","features"],$1('.input-examples'));<div>
<input type="text" name="name_34" value=""><input type="text" name="age_34" value="">
</div>
<div>
<input type="text" name="name_65" value=""><input type="text" name="age_65" value="">
</div>// pick normal + grouped fields
o = $v('username','name_','age_');
console.log(o);
//{"username":"Alice","name":{"34":"Bob","65":"Carol"},"age":{"34":"28","65":"32"}}
// harvest all (default: group underscores)
o = $v();
console.log(o);
//{"username":"Alice","message":"",..."name":{"34":"Bob","65":"Carol"},
//"age":{"34":"28","65":"32"}}
// harvest all WITHOUT grouping
o = $v([]);
console.log(o);
//{"username":"Alice","message":"",..."name_34":"Bob","age_34":"28",
//"name_65":"Carol","age_65":"32"}.setValue(value, container?)
Available on: InDom, InDomArray
Sets the element’s value, normalised for its type (see getValue()).
Parameters:
value{string | string[]} - Value(s) to assigncontainer{Document|Element|InDom} (optional) - Scope for checkbox and radio group lookups. When provided, only searches within this container for related elements. Defaults todocument.
Returns: {InDom | InDomArray} - this for chaining
Throws:
TypeError- If the element has no writable valueError- If the underlying element(s) has been removed
Examples:
// single text input
$1('[name="username"]').setValue('Bob');
// multiple select
$1('[name="size"]').setValue(['m','l']);
// check only 'gps' in this container (other containers ignored)
const div = $1('.input-examples');
$1('[name="features"]', div).setValue('gps', div);
// a single value can be set with a string or a one-item array
// clear all editable fields
$a('input, textarea, select').setValue(null);.on(type, fn?, opts?)
Available on: InDom, InDomArray
Registers an event listener that is automatically removed when the element is removed from the DOM (no matter how) , preventing memory leaks.
Parameters:
type{string | string[]} - Event type, e.g. 'click', 'keydown' or array of event typesfn{(n: InDom, e: Event) => void} (optional) - Event handler. Omit for mouse/click to trigger the eventopts{AddEventListenerOptions} (optional) - Event options (once, passive, etc.)
Returns: {Function | Function[]} - The internal handler(s) – pass to .off() to remove manually
Throws:
Error- If the underlying element is not connected to DOM, or document not yet loadedError- If the underlying element(s) has been removedError- If auto-trigger is used with non-mouse eventTypeError- If handler is not a function (when provided)
Shorthand methods:
onClick(fn?, opts?)→.on('click', fn, opts)onDoubleClick(fn?, opts?)→.on('dblclick', fn, opts)onEnter(fn?, opts?)→.on('mouseenter', fn, opts)onLeave(fn?, opts?)→.on('mouseleave', fn, opts)onFocus(fn?, opts?)→.on('focus', fn, opts)onBlur(fn?, opts?)→.on('blur', fn, opts)onChange(fn?, opts?)→.on('change', fn, opts)once(type, fn, opts?)→.on(type, fn, { ...opts, once: true })
Examples:
// log every keypress in username / message fields
$a('[name="username"], [name="message"]').on('keydown', (n, e) => {
console.log(`name:${n.getAttr('name')} , key pressed:${e.key}
, current value:${n.getValue()}`);
if (e.key === 's') {
e.preventDefault(); // block 's' key
}
});
// add / remove hover class on every .example>div
$a('.example>div').onEnter(n => n.addClass('on'));
$a(".example>div").onLeave(n => n.removeClass('on'));
// simple accordion: only one panel open at a time
const menu = $1('#menu');
const menuBtn = $1('>.btn', menu);
const search = $1('#search');
const searchBtn = $1('>.btn', search);
menuBtn.onClick(() => {
if (menu.hasClass('on')) { menu.removeClass('on'); return; }
if (search.hasClass('on')) { searchBtn.onClick(); } // close other
menu.addClass('on');
});
searchBtn.onClick(() => {
if (search.hasClass('on')) { search.removeClass('on'); return; }
if (menu.hasClass('on')) { menuBtn.onClick(); } // close other
search.addClass('on');
});
// clicking anywhere adds 'clicked' class to the clicked element
$n(document).onClick((_, e) => $n(e.target).addClass('clicked'));
// 'on' can also accept many event types for the same handler
// here is a simple throttle example
let canClick = true;
$1(".example>div").on(["click", "touchstart"], n => {
if (!canClick) {
return;
}
canClick = false;
console.log(n); // do something
setTimeout(() => canClick = true, 300);
});.onRemove(fn)
Available on: InDom, InDomArray
Registers a callback function that runs after the object's internal state (listeners, data) has been cleaned up, and just before its element is removed from the DOM.
Parameters:
fn{(n: InDom) => void} - The callback function
Returns: {Function | Function[]} - The internal handler(s) – pass to .off('onRemove', …) to unregister
Throws:
TypeError- Iffnis not a functionError- If the underlying element(s) has been removed
Examples:
const example = $1('.example');
// callback fires no matter how the element is removed
example.onRemove(() => {
console.log('removed:', example);
alert('press OK → element disappears');
});
// Through InDom remove method on the object
example.remove();
// Through InDom setHtml on body
$1('body').setHtml('empty');
// Through native DOM removal
document.querySelector('.example').remove();
// Through native innerHTML on its parent
document.querySelector('.example').parentElement.innerHTML = 'empty';.off(type?, fn?)
Available on: InDom, InDomArray
Removes event listener(s) registered with .on() or its shorthand methods.
Parameters:
type{string} (optional) - Event type. If omitted, all listeners are removed.fn{Function | Function[]} (optional) - Handler(s) returned by.on(). If omitted, all listeners oftypeare removed.
Returns: {InDom | InDomArray} - this for chaining
Throws:
TypeError- Iftypeis provided but is not a non-empty string.RangeError- (InDomArray only) Iffnarray length does not match collection length.Error- If the underlying element has been removed
Examples:
const divs = $a('.example>div');
divs.onClick(n => {
console.log(n);
/*
this function is visible in DevTools:
#events / click / Set entry / [[TargetFunction]]
*/
});
// a simple logger example
divs.onEnter(n => console.log(`onEnter in:${n.getHtml()}`));
const addOnFns = divs.onEnter(n => n.addClass('on'));
const removeOnFns = divs.onLeave(n => n.removeClass('on'));
// remove addOnFns and removeOnFns but keep the first onEnter logger
divs.off('mouseenter',addOnFns).off('mouseleave',removeOnFns);
// remove every mouseenter handler (including the logger)
divs.off('mouseenter');
// remove every handler of every type (including onClick)
divs.off();.getElement() / .el()
Available on: InDom
Read-only reference to the underlying DOM element of the InDom object.
Returns: {Element | Document} - Element or the document
Throws:
Error- If the underlying element has been removed
Examples:
console.log($1('.example>div').el().scrollTop);.remove()
Available on: InDom, InDomArray
Cleans the internal state of the InDom object(s) and removes the underlying DOM element(s) from the document. This method is also triggered automatically, when the element is removed from the DOM by any other means.
Throws:
Error- If the underlying element (or an element in case of InDomArray) has already been removed
Examples:
// remove the first .example>div
$1(".example>div").remove();
// remove all .example>div
$a(".example>div").remove();.is(selector)
Available on: InDom
Checks if the underlying element matches a CSS selector
Parameters:
selector{string} - CSS selector to match against.
Returns: {boolean} - True if matches , false if doesn't
Throws:
Error- If the underlying element has been removed
Examples:
const example = $1('.example>div');
console.log(example.is('div'));
//true
console.log(example.is('.test'));
//false.getParent(selector?)
Available on: InDom
Returns the InDom object for the closest ancestor (or direct parent if no selector) that matches the selector.
Returns null if nothing is found.
Parameters:
selector{string} (optional) - CSS selector to test against ancestors.
Returns: {InDom | null} - InDom object, or null when not found
Throws:
Error- If the underlying element has been removed
Examples:
const span = $1('.example>div>span');
console.log(span.getParent().getHtml());
// <span>this is a first test</span>
console.log(span.getParent('.example').getHtml());
// <div> <span>this is a first test</span></div>....getSelfOrParent(selector)
Available on: InDom
Returns this if its underlying element matches the selector, otherwise the InDom object for its closest ancestor element that matches.
Returns null if nothing is found.
Parameters:
selector{string} - CSS selector to test againstthisand ancestors.
Returns: {InDom | null} - InDom object, or null when not found
Throws:
Error- If the underlying element has been removed
Examples:
// delegate clicks on all links (present or future)
$n(document).onClick((_, e) => {
// _ instead of n because we only need the event object here (for IDEs)
const link = $n(e.target).getSelfOrParent("a");
if (link) {
console.log(`URL:${link.getAttr('href')} clicked`);
}
});
// test link (works even if added later)
$1('body').append(`<a href="https://github.com/constcallid/indom" target="_blank">
InDom - modern JavaScript DOM library</a>`);.getNext(selector)
Available on: InDom
Returns the InDom object for next sibling element (or the next sibling that matches the selector).
Returns null if nothing is found.
Parameters:
selector{string} (optional) - CSS selector to test against siblings.
Returns: {InDom | null} - InDom object, or null when not found
Throws:
Error- If the underlying element has been removed
Examples:
<div class="sibling-example">
<div class="a">.a test</div>
<div>test</div>
<div class="c">.c test</div>
</div>const span = $1('.sibling-example>.a');
console.log(span.getNext().getHtml());
// test
console.log(span.getNext('.c').getHtml());
// .c test.getPrev(selector)
Available on: InDom
Returns the InDom object for previous sibling element (or the previous sibling that matches the selector).
Returns null if nothing is found.
Parameters:
selector{string} (optional) - CSS selector to test against siblings.
Returns: {InDom | null} - InDom object, or null when not found
Throws:
Error- If the underlying element has been removed
Examples:
const span = $1('.sibling-example>.c');
console.log(span.getPrev().getHtml());
// test
console.log(span.getPrev('.a').getHtml());
// .a test.append(...children)
Available on: InDom, InDomArray
Appends one or more HTML strings, DOM elements or InDom objects to the end of the underlying element(s).
Parameters:
- ...children {(string | Node | InDom)[]} - Content to append (variadic; single array is flattened)
Returns: {InDom | InDomArray} - this for chaining
Throws:
Error- If the underlying element(s) has been removed
Note:
If an argument is a string, it’s parsed as HTML and inserted. Sanitize untrusted strings before passing them.
Examples:
<ul class="example-1"><li>li 1</li><li>li 2</li></ul>
<div class="example-2"><span>span 1</span><div>div 1</div><div>div 2</div></div>//isolated steps
const ul = $1('ul.example-1');
// raw HTML string
ul.append('<div>test</div>');
console.log(ul.getHtml());
// <li>li 1</li><li>li 2</li><div>test</div>
// native DOM element
const img = new Image();
img.src = 'example-star.png';
img.width = img.height = 50;
ul.append(img);
console.log(ul.getHtml());
// <li>li 1</li><li>li 2</li><img …>
// InDom object
ul.append($n(img)); // same img, in InDom object
console.log(ul.getHtml()); // identical markup
// <li>li 1</li><li>li 2</li><img …>
// InDomArray (moved from .example-2)
const donor = $1('.example-2');
ul.append($a('>div', donor)); // moves both divs
console.log(ul.getHtml());
// <li>li 1</li><li>li 2</li><div>div 1</div><div>div 2</div>
console.log(donor.getHtml());
// <span>span 1</span> (divs gone)
// bulk append to every <li> of ul
$a('>li', ul).append('<span>test</span>');
console.log(ul.getHtml());
// <li>li 1<span>test</span></li><li>li 2<span>test</span></li>.prepend(...children)
Available on: InDom, InDomArray
Prepends one or more HTML strings, DOM elements or InDom objects to the beginning of the underlying element(s).
Parameters:
- ...children {(string | Node | InDom)[]} - Content to append (variadic; single array is flattened)
Returns: {InDom | InDomArray} - this for chaining
Throws:
Error- If the underlying element(s) has been removed
Note:
If an argument is a string, it’s parsed as HTML and inserted. Sanitize untrusted strings before passing them.
Examples:
// prepend examples (mirror of append examples)
const ul = $1('ul.example-1');
ul.prepend('<li>first</li>'); // string
ul.prepend(img); // DOM Element
ul.prepend($n(img)); // InDom object (same img)
ul.prepend($a('>div', donor)); // InDomArray
$a('>li', ul).prepend('<span>test</span>'); // bulk prepend to every <li> of ul.after(...siblings)
Available on: InDom, InDomArray
Inserts one or more HTML strings, DOM elements or InDom objects after the underlying element(s). When multiple items are provided they are inserted in reverse order so the first item appears first in the DOM.
Parameters:
- ...siblings {(string | Node | InDom)[]} - Content to append (variadic; single array is flattened)
Returns: {InDom | InDomArray} - this for chaining
Throws:
Error- If the underlying element(s) has been removed
Note:
If an argument is a string, it’s parsed as HTML and inserted. Sanitize untrusted strings before passing them.
Examples:
<ul class="example-1"><li>li 1</li><li>li 2</li></ul>
<div class="example-2"><span>span 1</span><div>div 1</div><div>div 2</div></div>//isolated steps
const ul = $1('ul.example-1');
const firstLi = $1(">li",ul);
// raw HTML string
firstLi.after('<div>test</div>');
console.log(ul.getHtml());
// <li>li 1</li><div>test</div><li>li 2</li>
// native DOM element
const img = new Image();
img.src = 'example-star.png';
img.width = img.height = 50;
firstLi.after(img);
console.log(ul.getHtml());
//<li>li 1</li><img ...><li>li 2</li>
// InDom object
firstLi.after($n(img)); // same img, in InDom object
console.log(ul.getHtml()); // identical markup
//<li>li 1</li><img ...><li>li 2</li>
// InDomArray (moved from .example-2)
const donor = $1('.example-2');
firstLi.after($a('>div', donor)); // moves both divs
console.log(ul.getHtml());
//<li>li 1</li><div>div 1</div><div>div 2</div><li>li 2</li>
console.log(donor.getHtml());
// <span>span 1</span> (divs gone)
// bulk after to every <li> of ul
$a('>li', ul).after('<span>test</span>');
console.log(ul.getHtml());
//<li>li 1</li><span>test</span><li>li 2</li><span>test</span>.before(...siblings)
Available on: InDom, InDomArray
Inserts one or more HTML strings, DOM elements or InDom objects before the underlying element(s).
Parameters:
- ...siblings {(string | Node | InDom)[]} - Content to append (variadic; single array is flattened)
Returns: {InDom | InDomArray} - this for chaining
Throws:
Error- If the underlying element(s) has been removed
Note:
If an argument is a string, it’s parsed as HTML and inserted. Sanitize untrusted strings before passing them.
Examples:
// before examples (mirror of after examples)
const ul = $1('ul.example-1');
const firstLi = $1(">li", ul);
firstLi.before('<div>test</div>'); // raw HTML string
firstLi.before(img); // native DOM element
firstLi.before($n(img)); // same img, in InDom object
firstLi.before($a('>div', donor)); // InDomArray (moves both divs)
$a('>li', ul).before('<span>test</span>'); // bulk before to every <li> of ul.setHtml(content)
Available on: InDom, InDomArray
Sets the innerHTML of the underlying element(s).
Parameters:
content{string} - Content to insert (coerced to string)
Returns: {InDom | InDomArray} - this for chaining
Throws:
Error- If the underlying element(s) has been removed
Note:
setHtml inserts raw HTML. Use it with trusted strings; sanitize any user-provided content before calling it.
Examples:
const div1 = $1('.example>div');
//set onClick on the every span child of div1
$a('>span', div1).onClick(n => console.log('clicked', n));
//replace innerHTML → old spans gone, listener gone
div1.setHtml('<span>another test</span>');
// re-register on the new span(s):
$a('>span', div1).onClick(n => console.log('clicked', n));
// or:
div1.onClick((_, e) => {
const span = $n(e.target).getSelfOrParent('.example>div>span');
if (span) {
console.log('clicked', span);
}
});.getHtml()
Available on: InDom
Returns the innerHTML of the underlying element.
Returns: {string} - Content
Throws:
Error- If the underlying element has been removed
Examples:
const html = $1(".example>div").getHtml();
console.log(html);
//<span>this is a test</span>.setData(key, value)
Available on: InDom, InDomArray
Stores a key/value pair in memory or updates the underlying element’s data-* attribute (if it already exists) with the stringified value.
Available only for objects whose underlying element is connected to the DOM, ensuring internal state consistency.
Parameters:
key{any} - Data keyvalue{any} - Data value (will be coerced to string fordata-*attributes)
Returns: {InDom | InDomArray} - this for chaining
Throws:
Error- If the underlying element has already been removed
Examples:
const div = $1('.example>div');
// click-counter stored in memory
div.onClick(() => {
// read counter (default 0 if never stored)
const clicks = div.getData('clicked') ?? 0;
div.setData('clicked', clicks + 1);
});
// store object and int
div.setData('user', { id: 34, name: 'Bob' });
console.log(div.hasData('user') ? 'has data key: user'
: 'doesn\'t have data key: user');
//has data key: user
div.setData('test', 1);
console.log([div.getData('user'), div.getData('test')]); // [{id: 34, name: 'Bob'}, 1]
// remove only 'user'
div.removeData('user');
console.log([div.getData('user'), div.getData('test')]); // [undefined, 1]
// grab every editable field inside the first .input-examples
const fields = $a('input, textarea, select', $1('.input-examples'));
// snapshot original values as JSON strings
fields.each(n => n.setData('originalValue', JSON.stringify(n.getValue())));
// button to check if anything changed
$1('body').append('<div class="checkBtn">Any field modified?</div>');
$1('.checkBtn').onClick(() => {
// InDomArray extends Array and inherits all standard array methods.
// true if any field's current value differs from its snapshot (stops at first true)
const modified = fields.some(n =>
n.getData('originalValue') !== JSON.stringify(n.getValue())
);
console.log(modified ? 'modified' : 'same');
});
{
// The above is to demonstrate different concepts because with InDom you could just:
const section = $1('.input-examples');
$1('body').append('<div class="rwCheckBtn">Any field modified? (rw)</div>');
const original = JSON.stringify($v(section));
$1('.rwCheckBtn').onClick(() => console.log(
original === JSON.stringify($v(section)) ? 'same' : 'modified'
));
}.getData(key)
Available on: InDom
Returns the data-* attribute value (as string) if it exists, otherwise the in-memory value.
Returns null if the key is not found in either place.
Available only for objects whose underlying element is connected to the DOM, ensuring internal state consistency.
Parameters:
key{any} - Key to look up (stringified fordata-*attributes)
Returns: {any} - The stored value, or null if not found
Throws:
Error- If the underlying element has been removed
Examples: see setData()
.hasData(key)
Available on: InDom
Returns true if the underlying element has a data-* attribute or in its internal memory map, otherwise false.
Available only for objects whose underlying element is connected to the DOM, ensuring internal state consistency.
Parameters:
key{any} - Data key to test (automatically stringified and prefixed withdata-for attribute check)
Returns: {boolean} - true when the key exists, false otherwise
Throws:
Error- If the underlying element has been removed
Examples: see setData()
.removeData(key)
Available on: InDom, InDomArray
Removes the key from the data-* attribute or from internal memory map, whichever contains it.
Parameters:
key{any} - Key to remove (stringified fordata-*attributes)
Returns: {InDom | InDomArray} - this for chaining
Throws:
Error- If the underlying element(s) has been removed
Examples: see setData()
.setAttr(key, value)
Available on: InDom, InDomArray
Sets an attribute value to the underlying element.
Parameters:
key{string} - Attribute key.value{any} - Attribute value (will be coerced to string).
Returns: {InDom | InDomArray} - this for chaining
Throws:
Error- If the underlying element(s) has been removed
Examples:
const img = $n('<img src="example-star.png" width="50" height="50">');
// helper: return attr value if the attribute exists or 'no alt' if doesn't
const getImgAlt = () => img.hasAttr('alt') ? img.getAttr('alt') : 'no alt';
console.log(`img alt:${getImgAlt()}`); // no alt
img.setAttr('alt','example image');
console.log(`img alt:${getImgAlt()}`); // example image
img.removeAttr('alt');
console.log(`img alt:${getImgAlt()}`); // no alt.getAttr(key)
Available on: InDom
Gets the value of an attribute of the underlying element.
Parameters:
key{string} - The attribute key.
Returns: {string | null} - The attribute , null if the attribute doesn't exist
Throws:
Error- If the underlying element has been removed
Examples: see setAttr()
.hasAttr(key)
Available on: InDom
Checks if the underlying element has an attribute.
Parameters:
key{string} - The attribute key.
Returns: {boolean} - true if the attribute exists, false otherwise.
Throws:
Error: If the underlying element has been removed
Examples: see setAttr()
.removeAttr(key)
Available on: InDom, InDomArray
Removes an attribute from the underlying element(s).
Parameters:
key{string} - Attribute key.
Returns: {InDom | InDomArray} - this for chaining
Throws:
Error- If the underlying element(s) has been removed
.getBox()
Available on: InDom
Returns a DOMRect with the underlying element’s viewport-relative bounding box.
Returns: {DOMRect} - Native object with left / x, top / y, width, height, right, bottom.
Throws:
Error- If the underlying element has been removed
Examples:
const div = $n('<div></div>');
div.setStyle({
display: 'inline-block',
position: 'fixed',
top: '110px',
left: '130px',
width: '100px',
height: '150px',
backgroundColor: 'blue'
});
//console.log(div.getBox());
console.log(JSON.stringify(div.getBox()));
//DOMRect {"x":0,"y":0,"width":0,"height":0,"top":0,"right":0,"bottom":0,"left":0}
//because it is not yet connected to DOM
$1('body').append(div);
console.log(div.getBox());
console.log(JSON.stringify(div.getBox()));
//DOMRect {"x":130,"y":110,"width":100,"height":150,"top":110,"right":230,
//"bottom":260,"left":130}.getOuterBox()
Available on: InDom
Returns a DOMRect that expands the underlying element’s bounding box by its margins.
Returns: {DOMRect} - Native object with left / x, top / y, width, height, right, bottom.
Throws:
Error- If the underlying element has been removed
Examples:
const div = $n('<div></div>');
div.setStyle({
'display': 'inline-block',
'position': 'fixed',
'top': '110px',
'left': '130px',
'width': '100px',
'height': '150px',
'background-color': 'blue',
'margin': '10px 20px'
});
$1('body').append(div);
console.log(div.getBox());
//DOMRect {"top":120,"left":150,"right":250,"bottom":270,"width":100,"height":150}
const outerBox = div.getOuterBox();
console.log(outerBox);
//DOMRect {"x":130,"y":110,"width":140,"height":170,"top":110,"right":270,
//"bottom":280,"left":130}
const div2 = $n('<div></div>');
div2.setStyle({
'display': 'inline-block',
'position': 'fixed',
'top': outerBox.top + 'px',
'left': outerBox.left + 'px',
'width': outerBox.width + 'px',
'height': outerBox.height + 'px',
'background-color': 'red'
});
$1('body').append(div2);
// red div2 overlay: exactly covers the margin box of the div blue element.getRelativeBox()
Available on: InDom
Returns a DOMRect with coordinates relative to the underlying element’s offset parent (borders of the parent are excluded).
Returns: {DOMRect} - Native object with left / x, top / y, width, height, right, bottom.
Throws:
Error- If the underlying element has been removed
Examples:
const div = $n('<div></div>');
div.setStyle({
display: 'inline-block',
position: 'fixed',
top: '110px',
left: '130px',
width: '100px',
height: '150px',
backgroundColor: 'blue'
});
$1('body').append(div);
console.log(JSON.stringify(div.getBox()));
//DOMRect {"x":130,"y":110,"width":100,"height":150,"top":110,"right":230,
//"bottom":260,"left":130}
const innerDiv = $n('<div></div>');
innerDiv.setStyle({
display: 'inline-block',
position: 'absolute',
top: '10px',
left: '30px',
width: '30px',
height: '50px',
backgroundColor: 'red'
});
div.append(innerDiv);
console.log(JSON.stringify(innerDiv.getRelativeBox()));
//DOMRect {"x":30,"y":10,"width":30,"height":50,"top":10,"right":60,
//"bottom":60,"left":30}
// red innerDiv: positioned inside blue div; coords are relative to blue’s padding box.addClass(...names)
Available on: InDom, InDomArray
Adds one or more CSS classes to the underlying element(s).
Parameters:
- ...names {string} - Class name(s) to add (variadic)
Returns: {InDom | InDomArray} - this for chaining
Throws:
Error- If the underlying element(s) has been removed
Examples:
// add 'clicked' class to any .example>div that gets clicked
const divs = $a('.example>div');
divs.onClick(n => n.addClass('clicked'));
// button: counts how many are currently clicked, then resets them
const sumResetClicked = $n('<div>Sum and reset clicked</div>');
$1('body').append(sumResetClicked);
sumResetClicked.onClick(() => {
let clicked = 0;
divs.each(n => {
if (n.hasClass('clicked')) { // test state
clicked++;
n.removeClass('clicked'); // reset state
}
});
console.log('clicked:' + clicked);
});.hasClass(name)
Available on: InDom
Tests whether the underlying element has the given CSS class.
Parameters:
name{string} - Class name to test.
Returns: {boolean} - true if the class is present, false otherwise.
Throws:
Error- If the underlying element has been removed
Examples: see addClass()
.removeClass(...names)
Available on: InDom, InDomArray
Removes one or more CSS classes from the underlying element(s).
Parameters:
- ...names {string} - Class name(s) to remove (variadic)
Returns: {InDom | InDomArray} - this for chaining
Throws:
Error- If the underlying element(s) has been removed
Examples: see addClass()
.setStyle(propertyOrMap, value?)
Available on: InDom, InDomArray
Sets one or more CSS properties to the underlying element(s). Dash-case names are auto-converted to camel-case.
Parameters:
propertyOrMap{string} - Property name (dash-case or camel-case) or object map{ prop: value, ... }for bulk assignmentvalue{string} - Value to assign (when first arg is a string)
Returns: {InDom | InDomArray} - this for chaining
Throws:
Error- If the underlying element(s) has been removedTypeError- If a single argument is not an object
Examples:
const div = $n('<div></div>');
$1('body').append(div);
// single property
div.setStyle('background-color', 'blue');
console.log(div.getStyle('background-color'));
// rgb(0, 0, 255)
// bulk assignment + multi-read
div.setStyle({ width: '100px', height: '50px', fontSize: '16px' });
console.log(div.getStyle('width', 'height', 'font-size'));
// {width: '100px', height: '50px', 'font-size': '16px'}
// apply to collection
$a('.example>div').setStyle({ color: 'blue', 'font-size': '15px' });
// inspect every computed property
const styles = $1('.example>div').getStyle();
console.log([styles.color, styles.fontSize]);
// ['rgb(0, 0, 255)', '15px'].getStyle(...properties?)
Available on: InDom
Gets computed CSS value(s) for the underlying element.
Parameters:
- ...properties {string} [optional] - Zero or more CSS property names (dash-case).
Returns: {CSSStyleDeclaration | string | Object<string,string>} -
- Full
CSSStyleDeclarationwhen no arguments supplied. - Computed value as
stringwhen exactly one property supplied. - Object map
{ prop: value }when two or more properties supplied.
Throws:
Error- If the underlying element has been removed
Examples: see setStyle()
InDomArray inherited methods
InDomArray extends Array, so every native Array method works. All methods that return a new array (concat, filter, flat, flatMap, map, slice, toReversed, toSorted, toSpliced) automatically return another InDomArray.
Examples:
// Suppose that for every #mainMenu>div there is a matching .menu-icon (e.g. positioned fixed)
const menuIcons = $a('.menu-icon');
$a('#mainMenu>div').each((n, i) => {
n.onEnter(() => menuIcons[i].addClass('on'));
n.onLeave(() => menuIcons[i].removeClass('on'));
});
const cat = $id('categories');
// Sort direct child .example divs by number of their direct span children,
// then re-append in new order
cat.append($a('>div', cat).sort((a, b) => $a('>span', a).length - $a('>span', b).length));.each(fn)
Available on: InDomArray
Executes a function for each InDom object in the collection.
Parameters:
fn{(n: InDom, index: number, array: InDomArray) => void} - Function to execute
Returns: {InDomArray} - this for chaining
Examples:
$a('.example>div').each(n => {
if (!n.hasData('init')) {
// one-time initialisation
n.setData('init', 1);
}
});
// .each() is safe on empty collections: the callback simply never runs.filter(selectorOrFn)
Available on: InDomArray
Returns a new InDomArray collection containing only the InDom objects that their elements match a CSS selector or pass a predicate function.
The original collection is left untouched.
Parameters:
selectorOrFn{string | {(n: InDom, index: number, array: InDomArray) => boolean}} - CSS selector to match against elements or predicate function; returntrueto include the item in the result.
Returns: {InDomArray} - New filtered collection (empty if nothing matches).
Example:
const exampleDivs = $a('.example>div');
exampleDivs.onEnter(n => n.addClass('opened'));
$1('body').append('<div id="test-filter">test filter</div>');
$id('test-filter').onClick((...args) => {
// keep only .opened items
const openedDivs = exampleDivs.filter('.opened');
// keep items that contain at least one <a>
const divsWithLinks = openedDivs.filter(n => $a('a', n).length > 0);
// same as:
const divsWithLinks2 = new InDomArray();
openedDivs.each(n => {
if ($a('a', n).length > 0) {
divsWithLinks2.push(n);
}
});
});Usage Info
Plain JavaScript
InDom works directly in any modern browser — no bundler or build process is required.
- Simply include the library script and you’re ready to use it.
Example:
<script src="./js/indom.min.js"></script>
<!-- or via CDN -->
<script src="https://cdn.jsdelivr.net/npm/indom@latest/dist/indom.min.js"></script>Your own scripts can then use InDom immediately, or you can wrap logic in InDom.onReady() to ensure the DOM is fully loaded.
You can also use InDom with your bundler of choice. Just make sure the InDom library file is loaded before the file that first uses it.
To enable full autocomplete and inline documentation in your IDE, add a reference comment at the top of your script:
/// <reference path="./dist/indom.js" />This enables autocomplete and JSDoc hints in most IDEs while typing.
Replace /dist/indom.js with the actual location of your indom.js file (it doesn’t have to be in a production folder)
ES Modules
InDom is fully compatible with ES Modules environments.
You can import it directly in supported browsers or through any bundler that understands ESM syntax.
Example (browser import):
<script type="module">
import { InDom, InDomArray, $1, $a, $id, $n, $v } from './dist/indom.esm.min.js';
InDom.onReady(() => {
$1('.example').setHtml('Hello from InDom!');
});
</script>Example (bundler import):
import { InDom, InDomArray, $1, $a, $id, $n, $v } from 'indom/dist/indom.esm.min.js';All module exports are named — import only what you need, or import the full library as InDom.
Tree-shaking works naturally in all modern bundlers.
- A source map (
dist/indom.esm.min.js.map) is included for debugging. Most editors and browsers pick it up automatically when using the minified build.
TypeScript
InDom ships with ES2022-compatible type definitions in dist/indom.d.ts and the original TypeScript source in src/indom.ts.
- Option 1 — Editor hints in plain JavaScript (no TS compile)
Use a triple-slash reference to enable IntelliSense/JSDoc in your editor:
/// <reference path="./dist/indom.d.ts" />This is for editor tooling only. For runtime, include the JS build as shown in Plain JavaScript.
If you are compiling TypeScript, prefer imports (see Option 2), as the type definitions themselves use named exports, not global variables.
- Option 2 — TypeScript projects (tsc / bundlers) Import the named exports from the ESM build (or from the TypeScript source):
// from the package ESM build
import { InDom, InDomArray, $1, $a, $id, $n, $v } from 'indom/dist/indom.esm.js';
// or from a local copy of the ESM build
// import { InDom, InDomArray, $1, $a, $id, $n, $v } from './dist/indom.esm.js';
// or compile directly from the TypeScript source
// import { InDom, InDomArray, $1, $a, $id, $n, $v } from './src/indom.ts';All exports are named — import only what you need, or import the full library as InDom.
Tree-shaking works naturally in modern bundlers.
Additional Topics
Browser Support
InDom is written using modern, standards-based Web APIs and ES2022 syntax.
Below is a table of browser support, based on data from caniuse.com:
| Browser | Version | Release Date |
|---|---|---|
| Chrome | 84 | Jul 14, 2020 |
| Edge | 84 | Jul 16, 2020 |
| Safari | 15 | Sep 20, 2021 |
| Firefox | 90 | Jul 13, 2021 |
| Opera | 70 | Jul 28, 2020 |
| Safari on iOS | 15 | Sep 20, 2021 |
| Internet Explorer | ✖ | – |
For details on individual feature support, check 'All tracked' (for tracked browsers) on caniuse.com:
- Private class methods
- Private class fields
- Static class fields (
statickeyword) - Nullish coalescing (
??) - AbortController & AbortSignal
Extend / Modify InDom
InDom can be freely extended or modified — its core methods follow consistent patterns and naming, making it safe to build custom helpers or override behavior as needed.
Extend Example:
/**
* Extend InDom with a custom helper: scrollTop getter / setter
* Handles both Element and Document nodes, enforces integer input,
* and uses requestAnimationFrame for smooth scrolling.
*/
InDom.prototype.scrollTop = function(y, smooth) {
if (!y) {
// document itself doesn't have scrollTop only its documentElement
return (this.el() instanceof Document ? document.documentElement : this.el())
.scrollTop;
}
if (!Number.isInteger(y)) { // accept only an integer for y to scroll
throw new TypeError('Expected an integer to scrollTop, got ' + y);
}
requestAnimationFrame(() => {
// if it is document it is better to scroll to window instead of its documentElement
(this.el() instanceof Document ? window : this.el())
.scrollTo({ top: y, behavior: smooth === true ? 'smooth' : 'instant' });
});
};
// usage example
$1(".example>div").onClick(() => $n(document).scrollTop(100, true));Modify Example:
// Modify InDom with custom onClick method that throttles clicks and touchstart
InDom.prototype.onClick = function(fn, opts) {
// If no function provided, delegate to standard click event
if (!fn) {
return this.on('click');
}
let canClick = true; // Throttle flag to prevent rapid repeated triggers
// Attach handlers to both 'click' and 'touchstart' events
return this.on(['click', 'touchstart'], (n, e) => {
if (!canClick) {
return; // Ignore rapid repeats during throttle period
}
canClick = false; // Disable further triggers
setTimeout(() => canClick = true, 300); // Re-enable after 300ms
fn(n, e); // Execute user-provided callback with InDom object and event
}, opts);
};
// Bulk version for InDomArray - applies onClick to all InDom objects in the array
InDomArray.prototype.onClick = function(fn, opts) {
const fnArr = new Array(this.length);
for(let i = 0; i < this.length; i++) {
// Apply onClick to each individual InDom object and store handler references
fnArr[i] = this[i].onClick(fn, opts);
}
return fnArr; // Return array of handler references for cleanup
};
// Example usage:
const exampleDivs = $a(".example>div");
// Apply custom onClick behavior - logs HTML content and event details
const clickHandlers = exampleDivs.onClick((n, e) => {
console.log(['.example>div onClick', 'html:', n.getHtml(), 'event:', e]);
});
// Example: Removing event handlers (cleanup)
// Method 1: Remove ALL click and touchstart listeners from exampleDivs
exampleDivs.off('click').off('touchstart');
// Method 2: Remove only the specific handlers we created
exampleDivs.off('click', clickHandlers).off('touchstart', clickHandlers); Enhanced cleanup method — clarity and reusability for the above Modify Example
// Create custom removal methods for easier management
// Remove click/touchstart handlers from a single object
InDom.prototype.removeOnClick = function(fn) {
this.off('click', fn); // Remove click handler
this.off('touchstart', fn); // Remove touchstart handler
};
// Remove click/touchstart handlers from multiple InDom objects in an array
InDomArray.prototype.removeOnClick = function(fnArr) {
const hasFunctions = Array.isArray(fnArr);
// Validate that the handler array matches the number of InDom objects
if (hasFunctions && fnArr.length !== this.length) {
throw new RangeError(`Expected ${this.length} handlers, got ${fnArr.length}`);
}
// Remove handlers from each InDom object individually
for (let i = 0; i < this.length; i++) {
this[i].removeOnClick(hasFunctions ? fnArr[i] : undefined);
}
};
// Usage examples for custom cleanup methods:
// Removes all 'click' and 'touchstart' events from exampleDivs
exampleDivs.removeOnClick();
// Removes only the specific clickHandlers we created earlier
exampleDivs.removeOnClick(clickHandlers);Contribute
We welcome and encourage community participation! Visit the InDom GitHub Discussions to ask questions, share ideas, suggest new features for future versions, or express interest in contributing directly to the project's development and maintenance. Whether you're a user seeking help, an enthusiast with improvement ideas, or a developer looking to volunteer, your involvement helps shape InDom's future.
Do you like InDom? Help others discover it!
There are many ways to contribute to the InDom community and help the library grow:
Spread the Word
- Star the repository on GitHub to show your support
- Share your experience - write reviews, testimonials, or case studies about using InDom on developer forums, Reddit, or community sites
- Share on social media - tweet, post, or blog about your InDom projects
- Recommend to colleagues who might benefit from a lightweight DOM library
Code Contributions
- Report bugs by opening issues with detailed reproduction steps
- Submit pull requests for bug fixes, features, or documentation improvements
- Improve documentation - examples, typos, or missing explanations
- Add tests to increase code coverage and stability
Community Support
- Answer questions in GitHub issues or community forums
- Create tutorials or educational content about InDom
- Build example projects showcasing InDom usage patterns
Every contribution, no matter how small, helps make InDom better for everyone!
Special Thanks
InDom is hosted and distributed thanks to:
- GitHub – repository hosting
- npm – package registry
- jsDelivr and unpkg – global CDN delivery
- Can I use? - browser support features
We appreciate their free services for open-source projects.